Commit f2cc43a4 authored by Hixie's avatar Hixie

Lots of trivial warning fixes

Add type annotations in many places.
Fix some identifiers to have more lint-satisfying names.
Make all operator==s consistent in style.
Reorder some functions for consistency.
Make ParentData no longer dynamic, and fix all the code around that.
parent 90971695
...@@ -57,8 +57,8 @@ const _kChunkCount = 30; ...@@ -57,8 +57,8 @@ const _kChunkCount = 30;
String _urlToFetch(int chunk) { String _urlToFetch(int chunk) {
if (rootBundle == null) if (rootBundle == null)
return '../data/stock_data_${chunk}.json'; return '../data/stock_data_$chunk.json';
return 'https://domokit.github.io/examples/stocks/data/stock_data_${chunk}.json'; return 'https://domokit.github.io/examples/stocks/data/stock_data_$chunk.json';
} }
class StockDataFetcher { class StockDataFetcher {
...@@ -81,9 +81,7 @@ class StockDataFetcher { ...@@ -81,9 +81,7 @@ class StockDataFetcher {
return; return;
} }
JsonDecoder decoder = new JsonDecoder(); JsonDecoder decoder = new JsonDecoder();
callback(new StockData(decoder.convert(json))); callback(new StockData(decoder.convert(json)));
if (_nextChunk < _kChunkCount) if (_nextChunk < _kChunkCount)
_fetchNextChunk(); _fetchNextChunk();
}); });
......
...@@ -37,8 +37,10 @@ class StockHomeState extends State<StockHome> { ...@@ -37,8 +37,10 @@ class StockHomeState extends State<StockHome> {
} }
void _handleSearchEnd() { void _handleSearchEnd() {
assert(config.navigator.currentRoute is StateRoute); assert(() {
assert((config.navigator.currentRoute as StateRoute).owner == this); // TODO(ianh): remove cast once analyzer is cleverer final StateRoute currentRoute = config.navigator.currentRoute;
assert(currentRoute.owner == this);
});
config.navigator.pop(); config.navigator.pop();
setState(() { setState(() {
_isSearching = false; _isSearching = false;
...@@ -74,7 +76,7 @@ class StockHomeState extends State<StockHome> { ...@@ -74,7 +76,7 @@ class StockHomeState extends State<StockHome> {
void _showDrawer() { void _showDrawer() {
showDrawer( showDrawer(
navigator: config.navigator, navigator: config.navigator,
child: new Block([ child: new Block(<Widget>[
new DrawerHeader(child: new Text('Stocks')), new DrawerHeader(child: new Text('Stocks')),
new DrawerItem( new DrawerItem(
icon: 'action/assessment', icon: 'action/assessment',
...@@ -88,7 +90,7 @@ class StockHomeState extends State<StockHome> { ...@@ -88,7 +90,7 @@ class StockHomeState extends State<StockHome> {
return new Dialog( return new Dialog(
title: new Text('Not Implemented'), title: new Text('Not Implemented'),
content: new Text('This feature has not yet been implemented.'), content: new Text('This feature has not yet been implemented.'),
actions: [ actions: <Widget>[
new FlatButton( new FlatButton(
child: new Text('USE IT'), child: new Text('USE IT'),
enabled: false, enabled: false,
...@@ -117,7 +119,7 @@ class StockHomeState extends State<StockHome> { ...@@ -117,7 +119,7 @@ class StockHomeState extends State<StockHome> {
new DrawerItem( new DrawerItem(
icon: 'action/thumb_up', icon: 'action/thumb_up',
onPressed: () => _handleStockModeChange(StockMode.optimistic), onPressed: () => _handleStockModeChange(StockMode.optimistic),
child: new Row([ child: new Row(<Widget>[
new Flexible(child: new Text('Optimistic')), new Flexible(child: new Text('Optimistic')),
new Radio(value: StockMode.optimistic, groupValue: config.stockMode, onChanged: _handleStockModeChange) new Radio(value: StockMode.optimistic, groupValue: config.stockMode, onChanged: _handleStockModeChange)
]) ])
...@@ -125,7 +127,7 @@ class StockHomeState extends State<StockHome> { ...@@ -125,7 +127,7 @@ class StockHomeState extends State<StockHome> {
new DrawerItem( new DrawerItem(
icon: 'action/thumb_down', icon: 'action/thumb_down',
onPressed: () => _handleStockModeChange(StockMode.pessimistic), onPressed: () => _handleStockModeChange(StockMode.pessimistic),
child: new Row([ child: new Row(<Widget>[
new Flexible(child: new Text('Pessimistic')), new Flexible(child: new Text('Pessimistic')),
new Radio(value: StockMode.pessimistic, groupValue: config.stockMode, onChanged: _handleStockModeChange) new Radio(value: StockMode.pessimistic, groupValue: config.stockMode, onChanged: _handleStockModeChange)
]) ])
...@@ -155,7 +157,7 @@ class StockHomeState extends State<StockHome> { ...@@ -155,7 +157,7 @@ class StockHomeState extends State<StockHome> {
onPressed: _showDrawer onPressed: _showDrawer
), ),
center: new Text('Stocks'), center: new Text('Stocks'),
right: [ right: <Widget>[
new IconButton( new IconButton(
icon: "action/search", icon: "action/search",
onPressed: _handleSearchBegin onPressed: _handleSearchBegin
...@@ -171,14 +173,14 @@ class StockHomeState extends State<StockHome> { ...@@ -171,14 +173,14 @@ class StockHomeState extends State<StockHome> {
int selectedTabIndex = 0; int selectedTabIndex = 0;
Iterable<Stock> _getStockList(Iterable<String> symbols) { Iterable<Stock> _getStockList(Iterable<String> symbols) {
return symbols.map((symbol) => config.stocks[symbol]); return symbols.map((String symbol) => config.stocks[symbol]);
} }
Iterable<Stock> _filterBySearchQuery(Iterable<Stock> stocks) { Iterable<Stock> _filterBySearchQuery(Iterable<Stock> stocks) {
if (_searchQuery == null) if (_searchQuery == null)
return stocks; return stocks;
RegExp regexp = new RegExp(_searchQuery, caseSensitive: false); RegExp regexp = new RegExp(_searchQuery, caseSensitive: false);
return stocks.where((stock) => stock.symbol.contains(regexp)); return stocks.where((Stock stock) => stock.symbol.contains(regexp));
} }
Widget buildStockList(BuildContext context, Iterable<Stock> stocks) { Widget buildStockList(BuildContext context, Iterable<Stock> stocks) {
...@@ -211,7 +213,7 @@ class StockHomeState extends State<StockHome> { ...@@ -211,7 +213,7 @@ class StockHomeState extends State<StockHome> {
) )
], ],
selectedIndex: selectedTabIndex, selectedIndex: selectedTabIndex,
onChanged: (tabIndex) { onChanged: (int tabIndex) {
setState(() { selectedTabIndex = tabIndex; } ); setState(() { selectedTabIndex = tabIndex; } );
} }
); );
...@@ -245,7 +247,7 @@ class StockHomeState extends State<StockHome> { ...@@ -245,7 +247,7 @@ class StockHomeState extends State<StockHome> {
navigator: config.navigator, navigator: config.navigator,
placeholderKey: _snackBarPlaceholderKey, placeholderKey: _snackBarPlaceholderKey,
content: new Text("Stock purchased!"), content: new Text("Stock purchased!"),
actions: [ actions: <SnackBarAction>[
new SnackBarAction(label: "UNDO", onPressed: _handleUndo) new SnackBarAction(label: "UNDO", onPressed: _handleUndo)
] ]
); );
......
...@@ -19,7 +19,7 @@ Future showStockMenu(NavigatorState navigator, { bool autorefresh, ValueChanged ...@@ -19,7 +19,7 @@ Future showStockMenu(NavigatorState navigator, { bool autorefresh, ValueChanged
return <PopupMenuItem>[ return <PopupMenuItem>[
new PopupMenuItem( new PopupMenuItem(
value: _MenuItems.autorefresh, value: _MenuItems.autorefresh,
child: new Row([ child: new Row(<Widget>[
new Flexible(child: new Text('Autorefresh')), new Flexible(child: new Text('Autorefresh')),
new Checkbox( new Checkbox(
value: autorefresh, value: autorefresh,
...@@ -59,9 +59,9 @@ Future showStockMenu(NavigatorState navigator, { bool autorefresh, ValueChanged ...@@ -59,9 +59,9 @@ Future showStockMenu(NavigatorState navigator, { bool autorefresh, ValueChanged
return new Dialog( return new Dialog(
title: new Text('Not Implemented'), title: new Text('Not Implemented'),
content: new Text('This feature has not yet been implemented.'), content: new Text('This feature has not yet been implemented.'),
actions: [ actions: <Widget>[
new FlatButton( new FlatButton(
child: new Row([ child: new Row(<Widget>[
new Icon( new Icon(
type: 'device/dvr', type: 'device/dvr',
size: 18 size: 18
......
...@@ -10,9 +10,15 @@ class StockRowPartGlobalKey extends GlobalKey { ...@@ -10,9 +10,15 @@ class StockRowPartGlobalKey extends GlobalKey {
const StockRowPartGlobalKey(this.stock, this.part) : super.constructor(); const StockRowPartGlobalKey(this.stock, this.part) : super.constructor();
final Stock stock; final Stock stock;
final StockRowPartKind part; final StockRowPartKind part;
String toString() => '[StockRowPartGlobalKey ${stock.symbol}:${part.toString().split(".")[1]})]'; bool operator ==(dynamic other) {
bool operator==(other) => other is StockRowPartGlobalKey && identical(other.stock, stock) && identical(other.part, part); if (other is! StockRowPartGlobalKey)
return false;
final StockRowPartGlobalKey typedOther = other;
return stock == typedOther.stock &&
part == typedOther.part;
}
int get hashCode => 37 * (37 * (373) + identityHashCode(stock)) + identityHashCode(part); int get hashCode => 37 * (37 * (373) + identityHashCode(stock)) + identityHashCode(part);
String toString() => '[StockRowPartGlobalKey ${stock.symbol}:${part.toString().split(".")[1]})]';
} }
typedef void StockRowActionCallback(Stock stock, GlobalKey row, GlobalKey arrowKey, GlobalKey symbolKey, GlobalKey priceKey); typedef void StockRowActionCallback(Stock stock, GlobalKey row, GlobalKey arrowKey, GlobalKey symbolKey, GlobalKey priceKey);
...@@ -65,14 +71,14 @@ class StockRow extends StatelessComponent { ...@@ -65,14 +71,14 @@ class StockRow extends StatelessComponent {
bottom: new BorderSide(color: Theme.of(context).dividerColor) bottom: new BorderSide(color: Theme.of(context).dividerColor)
) )
), ),
child: new Row([ child: new Row(<Widget>[
new Container( new Container(
key: arrowKey, key: arrowKey,
child: new StockArrow(percentChange: stock.percentChange), child: new StockArrow(percentChange: stock.percentChange),
margin: const EdgeDims.only(right: 5.0) margin: const EdgeDims.only(right: 5.0)
), ),
new Flexible( new Flexible(
child: new Row([ child: new Row(<Widget>[
new Flexible( new Flexible(
flex: 2, flex: 2,
child: new Text( child: new Text(
......
...@@ -42,7 +42,7 @@ class StockSettingsState extends State<StockSettings> { ...@@ -42,7 +42,7 @@ class StockSettingsState extends State<StockSettings> {
onDismiss: () { onDismiss: () {
navigator.pop(false); navigator.pop(false);
}, },
actions: [ actions: <Widget>[
new FlatButton( new FlatButton(
child: new Text('NO THANKS'), child: new Text('NO THANKS'),
onPressed: () { onPressed: () {
...@@ -87,22 +87,22 @@ class StockSettingsState extends State<StockSettings> { ...@@ -87,22 +87,22 @@ class StockSettingsState extends State<StockSettings> {
child: new ScrollableViewport( child: new ScrollableViewport(
child: new Container( child: new Container(
padding: const EdgeDims.symmetric(vertical: 20.0), padding: const EdgeDims.symmetric(vertical: 20.0),
child: new BlockBody([ child: new BlockBody(<Widget>[
new DrawerItem( new DrawerItem(
icon: 'action/thumb_up', icon: 'action/thumb_up',
onPressed: () => _confirmOptimismChange(), onPressed: () => _confirmOptimismChange(),
child: new Row([ child: new Row(<Widget>[
new Flexible(child: new Text('Everything is awesome')), new Flexible(child: new Text('Everything is awesome')),
new Checkbox( new Checkbox(
value: config.optimism == StockMode.optimistic, value: config.optimism == StockMode.optimistic,
onChanged: (_) => _confirmOptimismChange() onChanged: (bool value) => _confirmOptimismChange()
), ),
]) ])
), ),
new DrawerItem( new DrawerItem(
icon: 'action/backup', icon: 'action/backup',
onPressed: () { _handleBackupChanged(!(config.backup == BackupMode.enabled)); }, onPressed: () { _handleBackupChanged(!(config.backup == BackupMode.enabled)); },
child: new Row([ child: new Row(<Widget>[
new Flexible(child: new Text('Back up stock list to the cloud')), new Flexible(child: new Text('Back up stock list to the cloud')),
new Switch( new Switch(
value: config.backup == BackupMode.enabled, value: config.backup == BackupMode.enabled,
......
...@@ -33,12 +33,12 @@ class StockSymbolViewerState extends State<StockSymbolViewer> { ...@@ -33,12 +33,12 @@ class StockSymbolViewerState extends State<StockSymbolViewer> {
center: new Text('${config.stock.name} (${config.stock.symbol})') center: new Text('${config.stock.name} (${config.stock.symbol})')
), ),
body: new Material( body: new Material(
child: new Block([ child: new Block(<Widget>[
new Container( new Container(
padding: new EdgeDims.all(20.0), padding: new EdgeDims.all(20.0),
child: new Column([ child: new Column(<Widget>[
new Text('Last Sale', style: headings), new Text('Last Sale', style: headings),
new Text('${lastSale} (${changeInPrice})'), new Text('$lastSale ($changeInPrice)'),
new Container( new Container(
height: 8.0 height: 8.0
), ),
......
...@@ -45,7 +45,7 @@ class Scheduler { ...@@ -45,7 +45,7 @@ class Scheduler {
Map<int, SchedulerCallback> callbacks = _transientCallbacks; Map<int, SchedulerCallback> callbacks = _transientCallbacks;
_transientCallbacks = new Map<int, SchedulerCallback>(); _transientCallbacks = new Map<int, SchedulerCallback>();
callbacks.forEach((id, callback) { callbacks.forEach((int id, SchedulerCallback callback) {
if (!_removedIds.contains(id)) if (!_removedIds.contains(id))
callback(timeStamp); callback(timeStamp);
}); });
......
...@@ -30,7 +30,7 @@ abstract class GestureRecognizer extends GestureArenaMember { ...@@ -30,7 +30,7 @@ abstract class GestureRecognizer extends GestureArenaMember {
void didStopTrackingLastPointer(int pointer); void didStopTrackingLastPointer(int pointer);
void resolve(GestureDisposition disposition) { void resolve(GestureDisposition disposition) {
List<GestureArenaEntry> localEntries = new List.from(_entries); List<GestureArenaEntry> localEntries = new List<GestureArenaEntry>.from(_entries);
_entries.clear(); _entries.clear();
for (GestureArenaEntry entry in localEntries) for (GestureArenaEntry entry in localEntries)
entry.resolve(disposition); entry.resolve(disposition);
......
...@@ -151,7 +151,7 @@ class _RenderCheckbox extends RenderToggleable { ...@@ -151,7 +151,7 @@ class _RenderCheckbox extends RenderToggleable {
paint.setStyle(ui.PaintingStyle.fill); paint.setStyle(ui.PaintingStyle.fill);
paint.setShader(new ui.Gradient.radial( paint.setShader(new ui.Gradient.radial(
new Point(_kEdgeSize / 2.0, _kEdgeSize / 2.0), new Point(_kEdgeSize / 2.0, _kEdgeSize / 2.0),
_kEdgeSize * (_kMidpoint - position) * 8.0, [ _kEdgeSize * (_kMidpoint - position) * 8.0, <Color>[
const ui.Color(0x00000000), const ui.Color(0x00000000),
uncheckedColor uncheckedColor
])); ]));
......
...@@ -21,7 +21,7 @@ class Colors { ...@@ -21,7 +21,7 @@ class Colors {
static const white30 = const Color(0x4DFFFFFF); // text of disabled flat button in dark theme static const white30 = const Color(0x4DFFFFFF); // text of disabled flat button in dark theme
static const white12 = const Color(0x1FFFFFFF); // background of disabled raised buttons in dark theme static const white12 = const Color(0x1FFFFFFF); // background of disabled raised buttons in dark theme
static const Map<int, Color> red = const { static const Map<int, Color> red = const <int, Color>{
50: const Color(0xFFFFEBEE), 50: const Color(0xFFFFEBEE),
100: const Color(0xFFFFCDD2), 100: const Color(0xFFFFCDD2),
200: const Color(0xFFEF9A9A), 200: const Color(0xFFEF9A9A),
...@@ -34,14 +34,14 @@ class Colors { ...@@ -34,14 +34,14 @@ class Colors {
900: const Color(0xFFB71C1C), 900: const Color(0xFFB71C1C),
}; };
static const Map<int, Color> redAccent = const { static const Map<int, Color> redAccent = const <int, Color>{
100: const Color(0xFFFF8A80), 100: const Color(0xFFFF8A80),
200: const Color(0xFFFF5252), 200: const Color(0xFFFF5252),
400: const Color(0xFFFF1744), 400: const Color(0xFFFF1744),
700: const Color(0xFFD50000), 700: const Color(0xFFD50000),
}; };
static const Map<int, Color> pink = const { static const Map<int, Color> pink = const <int, Color>{
50: const Color(0xFFFCE4EC), 50: const Color(0xFFFCE4EC),
100: const Color(0xFFF8BBD0), 100: const Color(0xFFF8BBD0),
200: const Color(0xFFF48FB1), 200: const Color(0xFFF48FB1),
...@@ -54,14 +54,14 @@ class Colors { ...@@ -54,14 +54,14 @@ class Colors {
900: const Color(0xFF880E4F), 900: const Color(0xFF880E4F),
}; };
static const Map<int, Color> pinkAccent = const { static const Map<int, Color> pinkAccent = const <int, Color>{
100: const Color(0xFFFF80AB), 100: const Color(0xFFFF80AB),
200: const Color(0xFFFF4081), 200: const Color(0xFFFF4081),
400: const Color(0xFFF50057), 400: const Color(0xFFF50057),
700: const Color(0xFFC51162), 700: const Color(0xFFC51162),
}; };
static const Map<int, Color> purple = const { static const Map<int, Color> purple = const <int, Color>{
50: const Color(0xFFF3E5F5), 50: const Color(0xFFF3E5F5),
100: const Color(0xFFE1BEE7), 100: const Color(0xFFE1BEE7),
200: const Color(0xFFCE93D8), 200: const Color(0xFFCE93D8),
...@@ -74,14 +74,14 @@ class Colors { ...@@ -74,14 +74,14 @@ class Colors {
900: const Color(0xFF4A148C), 900: const Color(0xFF4A148C),
}; };
static const Map<int, Color> purpleAccent = const { static const Map<int, Color> purpleAccent = const <int, Color>{
100: const Color(0xFFEA80FC), 100: const Color(0xFFEA80FC),
200: const Color(0xFFE040FB), 200: const Color(0xFFE040FB),
400: const Color(0xFFD500F9), 400: const Color(0xFFD500F9),
700: const Color(0xFFAA00FF), 700: const Color(0xFFAA00FF),
}; };
static const Map<int, Color> deepPurple = const { static const Map<int, Color> deepPurple = const <int, Color>{
50: const Color(0xFFEDE7F6), 50: const Color(0xFFEDE7F6),
100: const Color(0xFFD1C4E9), 100: const Color(0xFFD1C4E9),
200: const Color(0xFFB39DDB), 200: const Color(0xFFB39DDB),
...@@ -94,14 +94,14 @@ class Colors { ...@@ -94,14 +94,14 @@ class Colors {
900: const Color(0xFF311B92), 900: const Color(0xFF311B92),
}; };
static const Map<int, Color> deepPurpleAccent = const { static const Map<int, Color> deepPurpleAccent = const <int, Color>{
100: const Color(0xFFB388FF), 100: const Color(0xFFB388FF),
200: const Color(0xFF7C4DFF), 200: const Color(0xFF7C4DFF),
400: const Color(0xFF651FFF), 400: const Color(0xFF651FFF),
700: const Color(0xFF6200EA), 700: const Color(0xFF6200EA),
}; };
static const Map<int, Color> indigo = const { static const Map<int, Color> indigo = const <int, Color>{
50: const Color(0xFFE8EAF6), 50: const Color(0xFFE8EAF6),
100: const Color(0xFFC5CAE9), 100: const Color(0xFFC5CAE9),
200: const Color(0xFF9FA8DA), 200: const Color(0xFF9FA8DA),
...@@ -114,14 +114,14 @@ class Colors { ...@@ -114,14 +114,14 @@ class Colors {
900: const Color(0xFF1A237E), 900: const Color(0xFF1A237E),
}; };
static const Map<int, Color> indigoAccent = const { static const Map<int, Color> indigoAccent = const <int, Color>{
100: const Color(0xFF8C9EFF), 100: const Color(0xFF8C9EFF),
200: const Color(0xFF536DFE), 200: const Color(0xFF536DFE),
400: const Color(0xFF3D5AFE), 400: const Color(0xFF3D5AFE),
700: const Color(0xFF304FFE), 700: const Color(0xFF304FFE),
}; };
static const Map<int, Color> blue = const { static const Map<int, Color> blue = const <int, Color>{
50: const Color(0xFFE3F2FD), 50: const Color(0xFFE3F2FD),
100: const Color(0xFFBBDEFB), 100: const Color(0xFFBBDEFB),
200: const Color(0xFF90CAF9), 200: const Color(0xFF90CAF9),
...@@ -134,14 +134,14 @@ class Colors { ...@@ -134,14 +134,14 @@ class Colors {
900: const Color(0xFF0D47A1), 900: const Color(0xFF0D47A1),
}; };
static const Map<int, Color> blueAccent = const { static const Map<int, Color> blueAccent = const <int, Color>{
100: const Color(0xFF82B1FF), 100: const Color(0xFF82B1FF),
200: const Color(0xFF448AFF), 200: const Color(0xFF448AFF),
400: const Color(0xFF2979FF), 400: const Color(0xFF2979FF),
700: const Color(0xFF2962FF), 700: const Color(0xFF2962FF),
}; };
static const Map<int, Color> lightBlue = const { static const Map<int, Color> lightBlue = const <int, Color>{
50: const Color(0xFFE1F5FE), 50: const Color(0xFFE1F5FE),
100: const Color(0xFFB3E5FC), 100: const Color(0xFFB3E5FC),
200: const Color(0xFF81D4FA), 200: const Color(0xFF81D4FA),
...@@ -154,14 +154,14 @@ class Colors { ...@@ -154,14 +154,14 @@ class Colors {
900: const Color(0xFF01579B), 900: const Color(0xFF01579B),
}; };
static const Map<int, Color> lightBlueAccent = const { static const Map<int, Color> lightBlueAccent = const <int, Color>{
100: const Color(0xFF80D8FF), 100: const Color(0xFF80D8FF),
200: const Color(0xFF40C4FF), 200: const Color(0xFF40C4FF),
400: const Color(0xFF00B0FF), 400: const Color(0xFF00B0FF),
700: const Color(0xFF0091EA), 700: const Color(0xFF0091EA),
}; };
static const Map<int, Color> cyan = const { static const Map<int, Color> cyan = const <int, Color>{
50: const Color(0xFFE0F7FA), 50: const Color(0xFFE0F7FA),
100: const Color(0xFFB2EBF2), 100: const Color(0xFFB2EBF2),
200: const Color(0xFF80DEEA), 200: const Color(0xFF80DEEA),
...@@ -174,14 +174,14 @@ class Colors { ...@@ -174,14 +174,14 @@ class Colors {
900: const Color(0xFF006064), 900: const Color(0xFF006064),
}; };
static const Map<int, Color> cyanAccent = const { static const Map<int, Color> cyanAccent = const <int, Color>{
100: const Color(0xFF84FFFF), 100: const Color(0xFF84FFFF),
200: const Color(0xFF18FFFF), 200: const Color(0xFF18FFFF),
400: const Color(0xFF00E5FF), 400: const Color(0xFF00E5FF),
700: const Color(0xFF00B8D4), 700: const Color(0xFF00B8D4),
}; };
static const Map<int, Color> teal = const { static const Map<int, Color> teal = const <int, Color>{
50: const Color(0xFFE0F2F1), 50: const Color(0xFFE0F2F1),
100: const Color(0xFFB2DFDB), 100: const Color(0xFFB2DFDB),
200: const Color(0xFF80CBC4), 200: const Color(0xFF80CBC4),
...@@ -194,14 +194,14 @@ class Colors { ...@@ -194,14 +194,14 @@ class Colors {
900: const Color(0xFF004D40), 900: const Color(0xFF004D40),
}; };
static const Map<int, Color> tealAccent = const { static const Map<int, Color> tealAccent = const <int, Color>{
100: const Color(0xFFA7FFEB), 100: const Color(0xFFA7FFEB),
200: const Color(0xFF64FFDA), 200: const Color(0xFF64FFDA),
400: const Color(0xFF1DE9B6), 400: const Color(0xFF1DE9B6),
700: const Color(0xFF00BFA5), 700: const Color(0xFF00BFA5),
}; };
static const Map<int, Color> green = const { static const Map<int, Color> green = const <int, Color>{
50: const Color(0xFFE8F5E9), 50: const Color(0xFFE8F5E9),
100: const Color(0xFFC8E6C9), 100: const Color(0xFFC8E6C9),
200: const Color(0xFFA5D6A7), 200: const Color(0xFFA5D6A7),
...@@ -214,14 +214,14 @@ class Colors { ...@@ -214,14 +214,14 @@ class Colors {
900: const Color(0xFF1B5E20), 900: const Color(0xFF1B5E20),
}; };
static const Map<int, Color> greenAccent = const { static const Map<int, Color> greenAccent = const <int, Color>{
100: const Color(0xFFB9F6CA), 100: const Color(0xFFB9F6CA),
200: const Color(0xFF69F0AE), 200: const Color(0xFF69F0AE),
400: const Color(0xFF00E676), 400: const Color(0xFF00E676),
700: const Color(0xFF00C853), 700: const Color(0xFF00C853),
}; };
static const Map<int, Color> lightGreen = const { static const Map<int, Color> lightGreen = const <int, Color>{
50: const Color(0xFFF1F8E9), 50: const Color(0xFFF1F8E9),
100: const Color(0xFFDCEDC8), 100: const Color(0xFFDCEDC8),
200: const Color(0xFFC5E1A5), 200: const Color(0xFFC5E1A5),
...@@ -234,14 +234,14 @@ class Colors { ...@@ -234,14 +234,14 @@ class Colors {
900: const Color(0xFF33691E), 900: const Color(0xFF33691E),
}; };
static const Map<int, Color> lightGreenAccent = const { static const Map<int, Color> lightGreenAccent = const <int, Color>{
100: const Color(0xFFCCFF90), 100: const Color(0xFFCCFF90),
200: const Color(0xFFB2FF59), 200: const Color(0xFFB2FF59),
400: const Color(0xFF76FF03), 400: const Color(0xFF76FF03),
700: const Color(0xFF64DD17), 700: const Color(0xFF64DD17),
}; };
static const Map<int, Color> lime = const { static const Map<int, Color> lime = const <int, Color>{
50: const Color(0xFFF9FBE7), 50: const Color(0xFFF9FBE7),
100: const Color(0xFFF0F4C3), 100: const Color(0xFFF0F4C3),
200: const Color(0xFFE6EE9C), 200: const Color(0xFFE6EE9C),
...@@ -254,14 +254,14 @@ class Colors { ...@@ -254,14 +254,14 @@ class Colors {
900: const Color(0xFF827717), 900: const Color(0xFF827717),
}; };
static const Map<int, Color> limeAccent = const { static const Map<int, Color> limeAccent = const <int, Color>{
100: const Color(0xFFF4FF81), 100: const Color(0xFFF4FF81),
200: const Color(0xFFEEFF41), 200: const Color(0xFFEEFF41),
400: const Color(0xFFC6FF00), 400: const Color(0xFFC6FF00),
700: const Color(0xFFAEEA00), 700: const Color(0xFFAEEA00),
}; };
static const Map<int, Color> yellow = const { static const Map<int, Color> yellow = const <int, Color>{
50: const Color(0xFFFFFDE7), 50: const Color(0xFFFFFDE7),
100: const Color(0xFFFFF9C4), 100: const Color(0xFFFFF9C4),
200: const Color(0xFFFFF59D), 200: const Color(0xFFFFF59D),
...@@ -274,14 +274,14 @@ class Colors { ...@@ -274,14 +274,14 @@ class Colors {
900: const Color(0xFFF57F17), 900: const Color(0xFFF57F17),
}; };
static const Map<int, Color> yellowAccent = const { static const Map<int, Color> yellowAccent = const <int, Color>{
100: const Color(0xFFFFFF8D), 100: const Color(0xFFFFFF8D),
200: const Color(0xFFFFFF00), 200: const Color(0xFFFFFF00),
400: const Color(0xFFFFEA00), 400: const Color(0xFFFFEA00),
700: const Color(0xFFFFD600), 700: const Color(0xFFFFD600),
}; };
static const Map<int, Color> amber = const { static const Map<int, Color> amber = const <int, Color>{
50: const Color(0xFFFFF8E1), 50: const Color(0xFFFFF8E1),
100: const Color(0xFFFFECB3), 100: const Color(0xFFFFECB3),
200: const Color(0xFFFFE082), 200: const Color(0xFFFFE082),
...@@ -294,14 +294,14 @@ class Colors { ...@@ -294,14 +294,14 @@ class Colors {
900: const Color(0xFFFF6F00), 900: const Color(0xFFFF6F00),
}; };
static const Map<int, Color> amberAccent = const { static const Map<int, Color> amberAccent = const <int, Color>{
100: const Color(0xFFFFE57F), 100: const Color(0xFFFFE57F),
200: const Color(0xFFFFD740), 200: const Color(0xFFFFD740),
400: const Color(0xFFFFC400), 400: const Color(0xFFFFC400),
700: const Color(0xFFFFAB00), 700: const Color(0xFFFFAB00),
}; };
static const Map<int, Color> orange = const { static const Map<int, Color> orange = const <int, Color>{
50: const Color(0xFFFFF3E0), 50: const Color(0xFFFFF3E0),
100: const Color(0xFFFFE0B2), 100: const Color(0xFFFFE0B2),
200: const Color(0xFFFFCC80), 200: const Color(0xFFFFCC80),
...@@ -314,14 +314,14 @@ class Colors { ...@@ -314,14 +314,14 @@ class Colors {
900: const Color(0xFFE65100), 900: const Color(0xFFE65100),
}; };
static const Map<int, Color> orangeAccent = const { static const Map<int, Color> orangeAccent = const <int, Color>{
100: const Color(0xFFFFD180), 100: const Color(0xFFFFD180),
200: const Color(0xFFFFAB40), 200: const Color(0xFFFFAB40),
400: const Color(0xFFFF9100), 400: const Color(0xFFFF9100),
700: const Color(0xFFFF6D00), 700: const Color(0xFFFF6D00),
}; };
static const Map<int, Color> deepOrange = const { static const Map<int, Color> deepOrange = const <int, Color>{
50: const Color(0xFFFBE9E7), 50: const Color(0xFFFBE9E7),
100: const Color(0xFFFFCCBC), 100: const Color(0xFFFFCCBC),
200: const Color(0xFFFFAB91), 200: const Color(0xFFFFAB91),
...@@ -334,14 +334,14 @@ class Colors { ...@@ -334,14 +334,14 @@ class Colors {
900: const Color(0xFFBF360C), 900: const Color(0xFFBF360C),
}; };
static const Map<int, Color> deepOrangeAccent = const { static const Map<int, Color> deepOrangeAccent = const <int, Color>{
100: const Color(0xFFFF9E80), 100: const Color(0xFFFF9E80),
200: const Color(0xFFFF6E40), 200: const Color(0xFFFF6E40),
400: const Color(0xFFFF3D00), 400: const Color(0xFFFF3D00),
700: const Color(0xFFDD2C00), 700: const Color(0xFFDD2C00),
}; };
static const Map<int, Color> brown = const { static const Map<int, Color> brown = const <int, Color>{
50: const Color(0xFFEFEBE9), 50: const Color(0xFFEFEBE9),
100: const Color(0xFFD7CCC8), 100: const Color(0xFFD7CCC8),
200: const Color(0xFFBCAAA4), 200: const Color(0xFFBCAAA4),
...@@ -354,7 +354,7 @@ class Colors { ...@@ -354,7 +354,7 @@ class Colors {
900: const Color(0xFF3E2723), 900: const Color(0xFF3E2723),
}; };
static const Map<int, Color> grey = const { static const Map<int, Color> grey = const <int, Color>{
50: const Color(0xFFFAFAFA), 50: const Color(0xFFFAFAFA),
100: const Color(0xFFF5F5F5), 100: const Color(0xFFF5F5F5),
200: const Color(0xFFEEEEEE), 200: const Color(0xFFEEEEEE),
...@@ -369,7 +369,7 @@ class Colors { ...@@ -369,7 +369,7 @@ class Colors {
900: const Color(0xFF212121), 900: const Color(0xFF212121),
}; };
static const Map<int, Color> blueGrey = const { static const Map<int, Color> blueGrey = const <int, Color>{
50: const Color(0xFFECEFF1), 50: const Color(0xFFECEFF1),
100: const Color(0xFFCFD8DC), 100: const Color(0xFFCFD8DC),
200: const Color(0xFFB0BEC5), 200: const Color(0xFFB0BEC5),
......
...@@ -94,7 +94,7 @@ class _DatePickerState extends State<DatePicker> { ...@@ -94,7 +94,7 @@ class _DatePickerState extends State<DatePicker> {
); );
break; break;
} }
return new Column([ return new Column(<Widget>[
header, header,
new Container( new Container(
height: _calendarHeight, height: _calendarHeight,
...@@ -145,7 +145,7 @@ class _DatePickerHeader extends StatelessComponent { ...@@ -145,7 +145,7 @@ class _DatePickerHeader extends StatelessComponent {
return new Container( return new Container(
padding: new EdgeDims.all(10.0), padding: new EdgeDims.all(10.0),
decoration: new BoxDecoration(backgroundColor: theme.primaryColor), decoration: new BoxDecoration(backgroundColor: theme.primaryColor),
child: new Column([ child: new Column(<Widget>[
new GestureDetector( new GestureDetector(
onTap: () => _handleChangeMode(DatePickerMode.day), onTap: () => _handleChangeMode(DatePickerMode.day),
child: new Text(new DateFormat("MMM").format(selectedDate).toUpperCase(), style: monthStyle) child: new Text(new DateFormat("MMM").format(selectedDate).toUpperCase(), style: monthStyle)
...@@ -190,11 +190,11 @@ class DayPicker extends StatelessComponent { ...@@ -190,11 +190,11 @@ class DayPicker extends StatelessComponent {
DateFormat dateFormat = new DateFormat(); DateFormat dateFormat = new DateFormat();
DateSymbols symbols = dateFormat.dateSymbols; DateSymbols symbols = dateFormat.dateSymbols;
List<Text> headers = []; List<Text> headers = <Text>[];
for (String weekDay in symbols.NARROWWEEKDAYS) { for (String weekDay in symbols.NARROWWEEKDAYS) {
headers.add(new Text(weekDay, style: headerStyle)); headers.add(new Text(weekDay, style: headerStyle));
} }
List<Widget> rows = [ List<Widget> rows = <Widget>[
new Text(new DateFormat("MMMM y").format(displayedMonth), style: monthStyle), new Text(new DateFormat("MMMM y").format(displayedMonth), style: monthStyle),
new Flex( new Flex(
headers, headers,
...@@ -208,7 +208,7 @@ class DayPicker extends StatelessComponent { ...@@ -208,7 +208,7 @@ class DayPicker extends StatelessComponent {
int daysInMonth = new DateTime(year, month + 1).difference(new DateTime(year, month)).inDays; int daysInMonth = new DateTime(year, month + 1).difference(new DateTime(year, month)).inDays;
int firstDay = new DateTime(year, month).day; int firstDay = new DateTime(year, month).day;
int weeksShown = 6; int weeksShown = 6;
List<int> days = [ List<int> days = <int>[
DateTime.SUNDAY, DateTime.SUNDAY,
DateTime.MONDAY, DateTime.MONDAY,
DateTime.TUESDAY, DateTime.TUESDAY,
...@@ -218,7 +218,7 @@ class DayPicker extends StatelessComponent { ...@@ -218,7 +218,7 @@ class DayPicker extends StatelessComponent {
DateTime.SATURDAY DateTime.SATURDAY
]; ];
int daySlots = weeksShown * days.length; int daySlots = weeksShown * days.length;
List<Widget> labels = []; List<Widget> labels = <Widget>[];
for (int i = 0; i < daySlots; i++) { for (int i = 0; i < daySlots; i++) {
// This assumes a start day of SUNDAY, but could be changed. // This assumes a start day of SUNDAY, but could be changed.
int day = i - firstDay + 1; int day = i - firstDay + 1;
......
...@@ -101,7 +101,7 @@ class Dialog extends StatelessComponent { ...@@ -101,7 +101,7 @@ class Dialog extends StatelessComponent {
)); ));
} }
return new Stack([ return new Stack(<Widget>[
new GestureDetector( new GestureDetector(
onTap: onDismiss, onTap: onDismiss,
child: new Container( child: new Container(
......
...@@ -61,7 +61,7 @@ class _Drawer extends StatelessComponent { ...@@ -61,7 +61,7 @@ class _Drawer extends StatelessComponent {
if (interactive) if (interactive)
route._settle(velocity); route._settle(velocity);
}, },
child: new Stack([ child: new Stack(<Widget>[
// mask // mask
new GestureDetector( new GestureDetector(
onTap: () { onTap: () {
......
...@@ -29,7 +29,7 @@ class DrawerHeader extends StatelessComponent { ...@@ -29,7 +29,7 @@ class DrawerHeader extends StatelessComponent {
), ),
padding: const EdgeDims.only(bottom: 7.0), padding: const EdgeDims.only(bottom: 7.0),
margin: const EdgeDims.only(bottom: 8.0), margin: const EdgeDims.only(bottom: 8.0),
child: new Column([ child: new Column(<Widget>[
new Flexible(child: new Container()), new Flexible(child: new Container()),
new Container( new Container(
padding: const EdgeDims.symmetric(horizontal: 16.0), padding: const EdgeDims.symmetric(horizontal: 16.0),
......
...@@ -5,7 +5,7 @@ ...@@ -5,7 +5,7 @@
enum MaterialEdge { canvas, card, circle } enum MaterialEdge { canvas, card, circle }
// This map gives the border radii for each type of material. // This map gives the border radii for each type of material.
const Map<MaterialEdge, double> edges = const { const Map<MaterialEdge, double> edges = const <MaterialEdge, double>{
MaterialEdge.canvas: null, MaterialEdge.canvas: null,
MaterialEdge.card: 2.0, MaterialEdge.card: 2.0,
MaterialEdge.circle: null, MaterialEdge.circle: null,
......
...@@ -15,7 +15,13 @@ class IconThemeData { ...@@ -15,7 +15,13 @@ class IconThemeData {
const IconThemeData({ this.color }); const IconThemeData({ this.color });
final IconThemeColor color; final IconThemeColor color;
bool operator==(other) => other.runtimeType == runtimeType && other.color == color; bool operator ==(dynamic other) {
if (other is! IconThemeData)
return false;
final IconThemeData typedOther = other;
return color == typedOther;
}
int get hashCode => color.hashCode; int get hashCode => color.hashCode;
} }
...@@ -96,7 +102,7 @@ class Icon extends StatelessComponent { ...@@ -96,7 +102,7 @@ class Icon extends StatelessComponent {
String colorSuffix = _getColorSuffix(context); String colorSuffix = _getColorSuffix(context);
return new AssetImage( return new AssetImage(
bundle: _iconBundle, bundle: _iconBundle,
name: '${category}/${density}/ic_${subtype}_${colorSuffix}_${size}dp.png', name: '$category/$density/ic_${subtype}_${colorSuffix}_${size}dp.png',
width: size.toDouble(), width: size.toDouble(),
height: size.toDouble(), height: size.toDouble(),
colorFilter: colorFilter colorFilter: colorFilter
......
...@@ -119,6 +119,7 @@ class _InputState extends ScrollableState<Input> { ...@@ -119,6 +119,7 @@ class _InputState extends ScrollableState<Input> {
) )
), ),
onPointerDown: (_) { onPointerDown: (_) {
// TODO(ianh): https://github.com/flutter/engine/issues/1530
if (Focus.at(context, config)) { if (Focus.at(context, config)) {
assert(_keyboardHandle.attached); assert(_keyboardHandle.attached);
_keyboardHandle.showByRequest(); _keyboardHandle.showByRequest();
......
...@@ -49,7 +49,7 @@ class PopupMenu extends StatelessComponent { ...@@ -49,7 +49,7 @@ class PopupMenu extends StatelessComponent {
)); ));
double unit = 1.0 / (items.length + 1.5); // 1.0 for the width and 0.5 for the last item's fade. double unit = 1.0 / (items.length + 1.5); // 1.0 for the width and 0.5 for the last item's fade.
List<Widget> children = []; List<Widget> children = <Widget>[];
for (int i = 0; i < items.length; ++i) { for (int i = 0; i < items.length; ++i) {
double start = (i + 1) * unit; double start = (i + 1) * unit;
...@@ -64,15 +64,15 @@ class PopupMenu extends StatelessComponent { ...@@ -64,15 +64,15 @@ class PopupMenu extends StatelessComponent {
); );
} }
final width = new AnimatedValue<double>(0.0, end: 1.0, curve: new Interval(0.0, unit)); final AnimatedValue<double> width = new AnimatedValue<double>(0.0, end: 1.0, curve: new Interval(0.0, unit));
final height = new AnimatedValue<double>(0.0, end: 1.0, curve: new Interval(0.0, unit * items.length)); final AnimatedValue<double> height = new AnimatedValue<double>(0.0, end: 1.0, curve: new Interval(0.0, unit * items.length));
return new FadeTransition( return new FadeTransition(
performance: performance, performance: performance,
opacity: new AnimatedValue<double>(0.0, end: 1.0, curve: new Interval(0.0, 1.0 / 3.0)), opacity: new AnimatedValue<double>(0.0, end: 1.0, curve: new Interval(0.0, 1.0 / 3.0)),
child: new BuilderTransition( child: new BuilderTransition(
performance: performance, performance: performance,
variables: [width, height], variables: <AnimatedValue<double>>[width, height],
builder: (BuildContext context) { builder: (BuildContext context) {
return new CustomPaint( return new CustomPaint(
callback: (ui.Canvas canvas, Size size) { callback: (ui.Canvas canvas, Size size) {
......
...@@ -60,7 +60,7 @@ class _ProgressIndicatorState extends State<ProgressIndicator> { ...@@ -60,7 +60,7 @@ class _ProgressIndicatorState extends State<ProgressIndicator> {
return config._buildIndicator(context, _performance.value); return config._buildIndicator(context, _performance.value);
return new BuilderTransition( return new BuilderTransition(
variables: [_performance.variable], variables: <AnimatedValue<double>>[_performance.variable],
performance: _performance.view, performance: _performance.view,
builder: (BuildContext context) { builder: (BuildContext context) {
return config._buildIndicator(context, _performance.value); return config._buildIndicator(context, _performance.value);
......
...@@ -37,7 +37,7 @@ class RadialReaction { ...@@ -37,7 +37,7 @@ class RadialReaction {
_showPerformance.updateVariable(_innerRadius); _showPerformance.updateVariable(_innerRadius);
}); });
_fade = new ValuePerformance<double>( _fade = new ValuePerformance<double>(
variable: new AnimatedValue(1.0, end: 0.0, curve: easeIn), variable: new AnimatedValue<double>(1.0, end: 0.0, curve: easeIn),
duration: _kHideDuration duration: _kHideDuration
); );
} }
......
...@@ -6,8 +6,8 @@ import 'dart:ui' show Color, Offset; ...@@ -6,8 +6,8 @@ import 'dart:ui' show Color, Offset;
import 'package:flutter/painting.dart'; import 'package:flutter/painting.dart';
const Map<int, List<BoxShadow>> shadows = const { const Map<int, List<BoxShadow>> shadows = const <int, List<BoxShadow>>{
1: const [ 1: const <BoxShadow>[
const BoxShadow( const BoxShadow(
color: const Color(0x1F000000), color: const Color(0x1F000000),
offset: const Offset(0.0, 1.0), offset: const Offset(0.0, 1.0),
...@@ -17,7 +17,7 @@ const Map<int, List<BoxShadow>> shadows = const { ...@@ -17,7 +17,7 @@ const Map<int, List<BoxShadow>> shadows = const {
offset: const Offset(0.0, 1.0), offset: const Offset(0.0, 1.0),
blur: 2.0), blur: 2.0),
], ],
2: const [ 2: const <BoxShadow>[
const BoxShadow( const BoxShadow(
color: const Color(0x29000000), color: const Color(0x29000000),
offset: const Offset(0.0, 3.0), offset: const Offset(0.0, 3.0),
...@@ -27,7 +27,7 @@ const Map<int, List<BoxShadow>> shadows = const { ...@@ -27,7 +27,7 @@ const Map<int, List<BoxShadow>> shadows = const {
offset: const Offset(0.0, 3.0), offset: const Offset(0.0, 3.0),
blur: 6.0), blur: 6.0),
], ],
3: const [ 3: const <BoxShadow>[
const BoxShadow( const BoxShadow(
color: const Color(0x30000000), color: const Color(0x30000000),
offset: const Offset(0.0, 10.0), offset: const Offset(0.0, 10.0),
...@@ -37,7 +37,7 @@ const Map<int, List<BoxShadow>> shadows = const { ...@@ -37,7 +37,7 @@ const Map<int, List<BoxShadow>> shadows = const {
offset: const Offset(0.0, 6.0), offset: const Offset(0.0, 6.0),
blur: 6.0), blur: 6.0),
], ],
4: const [ 4: const <BoxShadow>[
const BoxShadow( const BoxShadow(
color: const Color(0x40000000), color: const Color(0x40000000),
offset: const Offset(0.0, 14.0), offset: const Offset(0.0, 14.0),
...@@ -47,7 +47,7 @@ const Map<int, List<BoxShadow>> shadows = const { ...@@ -47,7 +47,7 @@ const Map<int, List<BoxShadow>> shadows = const {
offset: const Offset(0.0, 10.0), offset: const Offset(0.0, 10.0),
blur: 10.0), blur: 10.0),
], ],
5: const [ 5: const <BoxShadow>[
const BoxShadow( const BoxShadow(
color: const Color(0x4E000000), color: const Color(0x4E000000),
offset: const Offset(0.0, 19.0), offset: const Offset(0.0, 19.0),
......
...@@ -24,7 +24,7 @@ class SnackBarAction extends StatelessComponent { ...@@ -24,7 +24,7 @@ class SnackBarAction extends StatelessComponent {
final String label; final String label;
final GestureTapCallback onPressed; final GestureTapCallback onPressed;
Widget build(BuildContext) { Widget build(BuildContext context) {
return new GestureDetector( return new GestureDetector(
onTap: onPressed, onTap: onPressed,
child: new Container( child: new Container(
...@@ -51,7 +51,7 @@ class SnackBar extends StatelessComponent { ...@@ -51,7 +51,7 @@ class SnackBar extends StatelessComponent {
final PerformanceView performance; final PerformanceView performance;
Widget build(BuildContext context) { Widget build(BuildContext context) {
List<Widget> children = [ List<Widget> children = <Widget>[
new Flexible( new Flexible(
child: new Container( child: new Container(
margin: const EdgeDims.symmetric(vertical: _kVerticalPadding), margin: const EdgeDims.symmetric(vertical: _kVerticalPadding),
......
...@@ -70,7 +70,7 @@ class _RenderSwitch extends RenderToggleable { ...@@ -70,7 +70,7 @@ class _RenderSwitch extends RenderToggleable {
Color thumbColor: _kThumbOffColor, Color thumbColor: _kThumbOffColor,
ValueChanged onChanged ValueChanged onChanged
}) : _thumbColor = thumbColor, }) : _thumbColor = thumbColor,
super(value: value, onChanged: onChanged, size: _kSwitchSize) {} super(value: value, onChanged: onChanged, size: _kSwitchSize);
Color _thumbColor; Color _thumbColor;
Color get thumbColor => _thumbColor; Color get thumbColor => _thumbColor;
......
...@@ -33,8 +33,7 @@ const int _kTabIconSize = 24; ...@@ -33,8 +33,7 @@ const int _kTabIconSize = 24;
const double _kTabBarScrollDrag = 0.025; const double _kTabBarScrollDrag = 0.025;
const Duration _kTabBarScroll = const Duration(milliseconds: 200); const Duration _kTabBarScroll = const Duration(milliseconds: 200);
class _TabBarParentData extends BoxParentData with class _TabBarParentData extends ContainerBoxParentDataMixin<RenderBox> { }
ContainerParentDataMixin<RenderBox> { }
class _RenderTabBar extends RenderBox with class _RenderTabBar extends RenderBox with
ContainerRenderObjectMixin<RenderBox, _TabBarParentData>, ContainerRenderObjectMixin<RenderBox, _TabBarParentData>,
...@@ -100,8 +99,8 @@ class _RenderTabBar extends RenderBox with ...@@ -100,8 +99,8 @@ class _RenderTabBar extends RenderBox with
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
maxWidth = math.max(maxWidth, child.getMinIntrinsicWidth(widthConstraints)); maxWidth = math.max(maxWidth, child.getMinIntrinsicWidth(widthConstraints));
assert(child.parentData is _TabBarParentData); final _TabBarParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
double width = isScrollable ? maxWidth : maxWidth * childCount; double width = isScrollable ? maxWidth : maxWidth * childCount;
return constraints.constrainWidth(width); return constraints.constrainWidth(width);
...@@ -115,8 +114,8 @@ class _RenderTabBar extends RenderBox with ...@@ -115,8 +114,8 @@ class _RenderTabBar extends RenderBox with
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
maxWidth = math.max(maxWidth, child.getMaxIntrinsicWidth(widthConstraints)); maxWidth = math.max(maxWidth, child.getMaxIntrinsicWidth(widthConstraints));
assert(child.parentData is _TabBarParentData); final _TabBarParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
double width = isScrollable ? maxWidth : maxWidth * childCount; double width = isScrollable ? maxWidth : maxWidth * childCount;
return constraints.constrainWidth(width); return constraints.constrainWidth(width);
...@@ -139,10 +138,10 @@ class _RenderTabBar extends RenderBox with ...@@ -139,10 +138,10 @@ class _RenderTabBar extends RenderBox with
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
child.layout(tabConstraints); child.layout(tabConstraints);
assert(child.parentData is _TabBarParentData); final _TabBarParentData childParentData = child.parentData;
child.parentData.position = new Point(x, 0.0); childParentData.position = new Point(x, 0.0);
x += tabWidth; x += tabWidth;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
} }
...@@ -157,10 +156,10 @@ class _RenderTabBar extends RenderBox with ...@@ -157,10 +156,10 @@ class _RenderTabBar extends RenderBox with
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
child.layout(tabConstraints, parentUsesSize: true); child.layout(tabConstraints, parentUsesSize: true);
assert(child.parentData is _TabBarParentData); final _TabBarParentData childParentData = child.parentData;
child.parentData.position = new Point(x, 0.0); childParentData.position = new Point(x, 0.0);
x += child.size.width; x += child.size.width;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
return x; return x;
} }
...@@ -180,7 +179,8 @@ class _RenderTabBar extends RenderBox with ...@@ -180,7 +179,8 @@ class _RenderTabBar extends RenderBox with
int childIndex = 0; int childIndex = 0;
while (child != null) { while (child != null) {
widths[childIndex++] = child.size.width; widths[childIndex++] = child.size.width;
child = child.parentData.nextSibling; final _TabBarParentData childParentData = child.parentData;
child = childParentData.nextSibling;
} }
assert(childIndex == widths.length); assert(childIndex == widths.length);
} }
...@@ -221,24 +221,24 @@ class _RenderTabBar extends RenderBox with ...@@ -221,24 +221,24 @@ class _RenderTabBar extends RenderBox with
return; return;
} }
var size = new Size(selectedTab.size.width, _kTabIndicatorHeight); final Size size = new Size(selectedTab.size.width, _kTabIndicatorHeight);
var point = new Point( final _TabBarParentData selectedTabParentData = selectedTab.parentData;
selectedTab.parentData.position.x, final Point point = new Point(
selectedTabParentData.position.x,
_tabBarHeight - _kTabIndicatorHeight _tabBarHeight - _kTabIndicatorHeight
); );
Rect rect = (point + offset) & size; canvas.drawRect((point + offset) & size, new Paint()..color = indicatorColor);
canvas.drawRect(rect, new Paint()..color = indicatorColor);
} }
void paint(PaintingContext context, Offset offset) { void paint(PaintingContext context, Offset offset) {
int index = 0; int index = 0;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is _TabBarParentData); final _TabBarParentData childParentData = child.parentData;
context.paintChild(child, child.parentData.position + offset); context.paintChild(child, childParentData.position + offset);
if (index++ == selectedIndex) if (index++ == selectedIndex)
_paintIndicator(context.canvas, child, offset); _paintIndicator(context.canvas, child, offset);
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
} }
} }
...@@ -426,7 +426,7 @@ class _TabBarState extends ScrollableState<TabBar> { ...@@ -426,7 +426,7 @@ class _TabBarState extends ScrollableState<TabBar> {
assert(tabIndex >= 0 && tabIndex < _tabWidths.length); assert(tabIndex >= 0 && tabIndex < _tabWidths.length);
double tabLeft = 0.0; double tabLeft = 0.0;
if (tabIndex > 0) if (tabIndex > 0)
tabLeft = _tabWidths.take(tabIndex).reduce((sum, width) => sum + width); tabLeft = _tabWidths.take(tabIndex).reduce((double sum, double width) => sum + width);
double tabTop = 0.0; double tabTop = 0.0;
double tabBottom = _tabBarSize.height - _kTabIndicatorHeight; double tabBottom = _tabBarSize.height - _kTabIndicatorHeight;
double tabRight = tabLeft + _tabWidths[tabIndex]; double tabRight = tabLeft + _tabWidths[tabIndex];
...@@ -469,7 +469,7 @@ class _TabBarState extends ScrollableState<TabBar> { ...@@ -469,7 +469,7 @@ class _TabBarState extends ScrollableState<TabBar> {
void _updateScrollBehavior() { void _updateScrollBehavior() {
scrollBehavior.updateExtents( scrollBehavior.updateExtents(
containerExtent: config.scrollDirection == ScrollDirection.vertical ? _viewportSize.height : _viewportSize.width, containerExtent: config.scrollDirection == ScrollDirection.vertical ? _viewportSize.height : _viewportSize.width,
contentExtent: _tabWidths.reduce((sum, width) => sum + width) contentExtent: _tabWidths.reduce((double sum, double width) => sum + width)
); );
} }
...@@ -523,7 +523,7 @@ class _TabBarState extends ScrollableState<TabBar> { ...@@ -523,7 +523,7 @@ class _TabBarState extends ScrollableState<TabBar> {
child: new DefaultTextStyle( child: new DefaultTextStyle(
style: textStyle, style: textStyle,
child: new BuilderTransition( child: new BuilderTransition(
variables: [_indicatorRect], variables: <AnimatedValue<Rect>>[_indicatorRect],
performance: _indicatorAnimation.view, performance: _indicatorAnimation.view,
builder: (BuildContext context) { builder: (BuildContext context) {
return new _TabBarWrapper( return new _TabBarWrapper(
...@@ -591,9 +591,9 @@ class TabNavigator extends StatelessComponent { ...@@ -591,9 +591,9 @@ class TabNavigator extends StatelessComponent {
Widget build(BuildContext context) { Widget build(BuildContext context) {
assert(views != null && views.isNotEmpty); assert(views != null && views.isNotEmpty);
assert(selectedIndex >= 0 && selectedIndex < views.length); assert(selectedIndex >= 0 && selectedIndex < views.length);
return new Column([ return new Column(<Widget>[
new TabBar( new TabBar(
labels: views.map((view) => view.label), labels: views.map((TabNavigatorView view) => view.label),
onChanged: onChanged, onChanged: onChanged,
selectedIndex: selectedIndex, selectedIndex: selectedIndex,
isScrollable: isScrollable isScrollable: isScrollable
......
...@@ -70,7 +70,7 @@ class ToolBar extends StatelessComponent { ...@@ -70,7 +70,7 @@ class ToolBar extends StatelessComponent {
), ),
child: new DefaultTextStyle( child: new DefaultTextStyle(
style: sideStyle, style: sideStyle,
child: new Column([ child: new Column(<Widget>[
new Container( new Container(
child: new Row(children), child: new Row(children),
height: kToolBarHeight height: kToolBarHeight
......
...@@ -101,15 +101,6 @@ class EdgeDims { ...@@ -101,15 +101,6 @@ class EdgeDims {
); );
} }
bool operator ==(other) {
return identical(this, other) ||
(other is EdgeDims &&
top == other.top &&
right == other.right &&
bottom == other.bottom &&
left == other.left);
}
/// Linearly interpolate between two EdgeDims /// Linearly interpolate between two EdgeDims
/// ///
/// If either is null, this function interpolates from [EdgeDims.zero]. /// If either is null, this function interpolates from [EdgeDims.zero].
...@@ -131,6 +122,18 @@ class EdgeDims { ...@@ -131,6 +122,18 @@ class EdgeDims {
/// An EdgeDims with zero offsets in each direction /// An EdgeDims with zero offsets in each direction
static const EdgeDims zero = const EdgeDims.TRBL(0.0, 0.0, 0.0, 0.0); static const EdgeDims zero = const EdgeDims.TRBL(0.0, 0.0, 0.0, 0.0);
bool operator ==(dynamic other) {
if (identical(this, other))
return true;
if (other is! EdgeDims)
return false;
final EdgeDims typedOther = other;
return top == typedOther.top &&
right == typedOther.right &&
bottom == typedOther.bottom &&
left == typedOther.left;
}
int get hashCode { int get hashCode {
int value = 373; int value = 373;
value = 37 * value + top.hashCode; value = 37 * value + top.hashCode;
...@@ -139,6 +142,7 @@ class EdgeDims { ...@@ -139,6 +142,7 @@ class EdgeDims {
value = 37 * value + right.hashCode; value = 37 * value + right.hashCode;
return value; return value;
} }
String toString() => "EdgeDims($top, $right, $bottom, $left)"; String toString() => "EdgeDims($top, $right, $bottom, $left)";
} }
...@@ -322,8 +326,7 @@ class LinearGradient extends Gradient { ...@@ -322,8 +326,7 @@ class LinearGradient extends Gradient {
final ui.TileMode tileMode; final ui.TileMode tileMode;
ui.Shader createShader() { ui.Shader createShader() {
return new ui.Gradient.linear([begin, end], this.colors, return new ui.Gradient.linear(<Point>[begin, end], this.colors, this.stops, this.tileMode);
this.stops, this.tileMode);
} }
String toString() { String toString() {
...@@ -612,7 +615,7 @@ class BoxDecoration { ...@@ -612,7 +615,7 @@ class BoxDecoration {
} }
String toString([String prefix = '']) { String toString([String prefix = '']) {
List<String> result = []; List<String> result = <String>[];
if (backgroundColor != null) if (backgroundColor != null)
result.add('${prefix}backgroundColor: $backgroundColor'); result.add('${prefix}backgroundColor: $backgroundColor');
if (backgroundImage != null) if (backgroundImage != null)
...@@ -622,13 +625,13 @@ class BoxDecoration { ...@@ -622,13 +625,13 @@ class BoxDecoration {
if (borderRadius != null) if (borderRadius != null)
result.add('${prefix}borderRadius: $borderRadius'); result.add('${prefix}borderRadius: $borderRadius');
if (boxShadow != null) if (boxShadow != null)
result.add('${prefix}boxShadow: ${boxShadow.map((shadow) => shadow.toString())}'); result.add('${prefix}boxShadow: ${boxShadow.map((BoxShadow shadow) => shadow.toString())}');
if (gradient != null) if (gradient != null)
result.add('${prefix}gradient: $gradient'); result.add('${prefix}gradient: $gradient');
if (shape != Shape.rectangle) if (shape != Shape.rectangle)
result.add('${prefix}shape: $shape'); result.add('${prefix}shape: $shape');
if (result.isEmpty) if (result.isEmpty)
return '${prefix}<no decorations specified>'; return '$prefix<no decorations specified>';
return result.join('\n'); return result.join('\n');
} }
} }
......
...@@ -6,23 +6,24 @@ import 'dart:ui' as ui; ...@@ -6,23 +6,24 @@ import 'dart:ui' as ui;
/// A helper class to build a [ui.DrawLooper] for drawing shadows /// A helper class to build a [ui.DrawLooper] for drawing shadows
class ShadowDrawLooperBuilder { class ShadowDrawLooperBuilder {
var builder_ = new ui.LayerDrawLooperBuilder(); ui.LayerDrawLooperBuilder _builder = new ui.LayerDrawLooperBuilder();
/// Add a shadow with the given parameters /// Add a shadow with the given parameters
void addShadow(ui.Offset offset, ui.Color color, double blur) { void addShadow(ui.Offset offset, ui.Color color, double blur) {
builder_.addLayerOnTop( _builder.addLayerOnTop(
new ui.DrawLooperLayerInfo() new ui.DrawLooperLayerInfo()
..setPaintBits(ui.PaintBits.all) ..setPaintBits(ui.PaintBits.all)
..setOffset(offset) ..setOffset(offset)
..setColorMode(ui.TransferMode.src), ..setColorMode(ui.TransferMode.src),
new ui.Paint() new ui.Paint()
..color = color ..color = color
..maskFilter = new ui.MaskFilter.blur(ui.BlurStyle.normal, blur)); ..maskFilter = new ui.MaskFilter.blur(ui.BlurStyle.normal, blur)
);
} }
/// Returns the draw looper built for the added shadows /// Returns the draw looper built for the added shadows
ui.DrawLooper build() { ui.DrawLooper build() {
builder_.addLayerOnTop(new ui.DrawLooperLayerInfo(), new ui.Paint()); _builder.addLayerOnTop(new ui.DrawLooperLayerInfo(), new ui.Paint());
return builder_.build(); return _builder.build();
} }
} }
...@@ -38,10 +38,16 @@ class PlainTextSpan extends TextSpan { ...@@ -38,10 +38,16 @@ class PlainTextSpan extends TextSpan {
builder.addText(text); builder.addText(text);
} }
bool operator ==(other) => other is PlainTextSpan && text == other.text; bool operator ==(dynamic other) {
if (other is! PlainTextSpan)
return false;
final PlainTextSpan typedOther = other;
return text == typedOther.text;
}
int get hashCode => text.hashCode; int get hashCode => text.hashCode;
String toString([String prefix = '']) => '${prefix}${runtimeType}: "${text}"'; String toString([String prefix = '']) => '$prefix$runtimeType: "$text"';
} }
/// An immutable text span that applies a style to a list of children /// An immutable text span that applies a style to a list of children
...@@ -79,15 +85,17 @@ class StyledTextSpan extends TextSpan { ...@@ -79,15 +85,17 @@ class StyledTextSpan extends TextSpan {
style.applyToContainerCSSStyle(container.style); style.applyToContainerCSSStyle(container.style);
} }
bool operator ==(other) { bool operator ==(dynamic other) {
if (identical(this, other)) if (identical(this, other))
return true; return true;
if (other is! StyledTextSpan if (other is! StyledTextSpan)
|| style != other.style return false;
|| children.length != other.children.length) final StyledTextSpan typedOther = other;
if (style != typedOther.style ||
children.length != typedOther.children.length)
return false; return false;
for (int i = 0; i < children.length; ++i) { for (int i = 0; i < children.length; ++i) {
if (children[i] != other.children[i]) if (children[i] != typedOther.children[i])
return false; return false;
} }
return true; return true;
...@@ -102,28 +110,72 @@ class StyledTextSpan extends TextSpan { ...@@ -102,28 +110,72 @@ class StyledTextSpan extends TextSpan {
} }
String toString([String prefix = '']) { String toString([String prefix = '']) {
List<String> result = []; List<String> result = <String>[];
result.add('${prefix}${runtimeType}:'); result.add('$prefix$runtimeType:');
var indent = '${prefix} '; var indent = '$prefix ';
result.add('${style.toString(indent)}'); result.add('${style.toString(indent)}');
for (TextSpan child in children) { for (TextSpan child in children)
result.add(child.toString(indent)); result.add(child.toString(indent));
}
return result.join('\n'); return result.join('\n');
} }
} }
const bool _kEnableNewTextPainter = false; const bool _kEnableNewTextPainter = false;
/// An object that paints a [TextSpan] into a canvas abstract class TextPainter {
class TextPainter {
factory TextPainter(TextSpan text) { factory TextPainter(TextSpan text) {
if (_kEnableNewTextPainter) if (_kEnableNewTextPainter)
return new _NewTextPainter(text); return new _NewTextPainter(text);
return new TextPainter._(text); return new _OldTextPainter(text);
} }
TextPainter._(TextSpan text) { /// The (potentially styled) text to paint
TextSpan get text;
void set text(TextSpan value);
/// The minimum width at which to layout the text
double get minWidth;
void set minWidth(double value);
/// The maximum width at which to layout the text
double get maxWidth;
void set maxWidth(double value);
/// The minimum height at which to layout the text
double get minHeight;
void set minHeight(double value);
/// The maximum height at which to layout the text
double get maxHeight;
void set maxHeight(double value);
/// The width at which decreasing the width of the text would prevent it from
/// painting itself completely within its bounds
double get minContentWidth;
/// The width at which increasing the width of the text no longer decreases
/// the height
double get maxContentWidth;
/// The height required to paint the text completely within its bounds
double get height;
/// The distance from the top of the text to the first baseline of the given
/// type
double computeDistanceToActualBaseline(TextBaseline baseline);
/// Compute the visual position of the glyphs for painting the text
void layout();
/// Paint the text onto the given canvas at the given offset
void paint(ui.Canvas canvas, ui.Offset offset);
}
/// An object that paints a [TextSpan] into a canvas
class _OldTextPainter implements TextPainter {
_OldTextPainter(TextSpan text) {
_layoutRoot.rootElement = _document.createElement('p'); _layoutRoot.rootElement = _document.createElement('p');
assert(text != null); assert(text != null);
this.text = text; this.text = text;
......
...@@ -137,7 +137,7 @@ class TextStyle { ...@@ -137,7 +137,7 @@ class TextStyle {
TextDecoration.overline: 'overline', TextDecoration.overline: 'overline',
TextDecoration.lineThrough: 'lineThrough' TextDecoration.lineThrough: 'lineThrough'
}; };
return decoration.map((d) => toCSS[d]).join(' '); return decoration.map((TextDecoration d) => toCSS[d]).join(' ');
} }
static String _decorationStyleToCSSString(TextDecorationStyle decorationStyle) { static String _decorationStyleToCSSString(TextDecorationStyle decorationStyle) {
...@@ -210,24 +210,26 @@ class TextStyle { ...@@ -210,24 +210,26 @@ class TextStyle {
}[textAlign]; }[textAlign];
} }
if (height != null) { if (height != null) {
cssStyle['line-height'] = '${height}'; cssStyle['line-height'] = '$height';
} }
} }
bool operator ==(other) { bool operator ==(dynamic other) {
if (identical(this, other)) if (identical(this, other))
return true; return true;
return other is TextStyle && if (other is! TextStyle)
color == other.color && return false;
fontFamily == other.fontFamily && final TextStyle typedOther = other;
fontSize == other.fontSize && return color == typedOther.color &&
fontWeight == other.fontWeight && fontFamily == typedOther.fontFamily &&
fontStyle == other.fontStyle && fontSize == typedOther.fontSize &&
textAlign == other.textAlign && fontWeight == typedOther.fontWeight &&
textBaseline == other.textBaseline && fontStyle == typedOther.fontStyle &&
decoration == other.decoration && textAlign == typedOther.textAlign &&
decorationColor == other.decorationColor && textBaseline == typedOther.textBaseline &&
decorationStyle == other.decorationStyle; decoration == typedOther.decoration &&
decorationColor == typedOther.decorationColor &&
decorationStyle == typedOther.decorationStyle;
} }
int get hashCode { int get hashCode {
...@@ -247,12 +249,12 @@ class TextStyle { ...@@ -247,12 +249,12 @@ class TextStyle {
} }
String toString([String prefix = '']) { String toString([String prefix = '']) {
List<String> result = []; List<String> result = <String>[];
if (color != null) if (color != null)
result.add('${prefix}color: $color'); result.add('${prefix}color: $color');
// TODO(hansmuller): escape the fontFamily string. // TODO(hansmuller): escape the fontFamily string.
if (fontFamily != null) if (fontFamily != null)
result.add('${prefix}fontFamily: "${fontFamily}"'); result.add('${prefix}fontFamily: "$fontFamily"');
if (fontSize != null) if (fontSize != null)
result.add('${prefix}fontSize: $fontSize'); result.add('${prefix}fontSize: $fontSize');
if (fontWeight != null) if (fontWeight != null)
...@@ -270,7 +272,7 @@ class TextStyle { ...@@ -270,7 +272,7 @@ class TextStyle {
if (decorationStyle != null) if (decorationStyle != null)
result.add('${prefix}decorationStyle: $decorationStyle'); result.add('${prefix}decorationStyle: $decorationStyle');
if (result.isEmpty) if (result.isEmpty)
return '${prefix}<no style specified>'; return '$prefix<no style specified>';
return result.join('\n'); return result.join('\n');
} }
} }
...@@ -2,7 +2,7 @@ ...@@ -2,7 +2,7 @@
// Use of this source code is governed by a BSD-style license that can be // Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file. // found in the LICENSE file.
import 'package:cassowary/cassowary.dart' as al; import 'package:cassowary/cassowary.dart' as al; // "auto layout"
import 'box.dart'; import 'box.dart';
import 'object.dart'; import 'object.dart';
...@@ -40,11 +40,12 @@ abstract class _AutoLayoutParamMixin { ...@@ -40,11 +40,12 @@ abstract class _AutoLayoutParamMixin {
} }
void _setupEditVariablesInSolver(al.Solver solver, double priority) { void _setupEditVariablesInSolver(al.Solver solver, double priority) {
solver.addEditVariables([ solver.addEditVariables(<al.Variable>[
_leftEdge.variable, _leftEdge.variable,
_rightEdge.variable, _rightEdge.variable,
_topEdge.variable, _topEdge.variable,
_bottomEdge.variable], priority); _bottomEdge.variable
], priority);
} }
void _applyEditsAtSize(al.Solver solver, Size size) { void _applyEditsAtSize(al.Solver solver, Size size) {
...@@ -90,8 +91,7 @@ abstract class _AutoLayoutParamMixin { ...@@ -90,8 +91,7 @@ abstract class _AutoLayoutParamMixin {
} }
} }
class AutoLayoutParentData extends BoxParentData class AutoLayoutParentData extends ContainerBoxParentDataMixin<RenderBox> with _AutoLayoutParamMixin {
with ContainerParentDataMixin<RenderBox>, _AutoLayoutParamMixin {
AutoLayoutParentData(this._renderBox) { AutoLayoutParentData(this._renderBox) {
_setupLayoutParameters(this); _setupLayoutParameters(this);
...@@ -103,8 +103,10 @@ class AutoLayoutParentData extends BoxParentData ...@@ -103,8 +103,10 @@ class AutoLayoutParentData extends BoxParentData
// This is called by the parent's layout function // This is called by the parent's layout function
// to lay our box out. // to lay our box out.
assert(_renderBox.parentData == this); assert(_renderBox.parentData == this);
assert(_renderBox.parent is RenderAutoLayout); assert(() {
assert((_renderBox.parent as RenderAutoLayout).debugDoingThisLayout); // TODO(ianh): Remove cast once the analyzer is cleverer final RenderAutoLayout parent = _renderBox.parent;
assert(parent.debugDoingThisLayout);
});
BoxConstraints size = new BoxConstraints.tightFor( BoxConstraints size = new BoxConstraints.tightFor(
width: _rightEdge.value - _leftEdge.value, width: _rightEdge.value - _leftEdge.value,
height: _bottomEdge.value - _topEdge.value height: _bottomEdge.value - _topEdge.value
...@@ -114,7 +116,7 @@ class AutoLayoutParentData extends BoxParentData ...@@ -114,7 +116,7 @@ class AutoLayoutParentData extends BoxParentData
} }
List<al.Constraint> _constructImplicitConstraints() { List<al.Constraint> _constructImplicitConstraints() {
return [ return <al.Constraint>[
_leftEdge >= al.cm(0.0), // The left edge must be positive. _leftEdge >= al.cm(0.0), // The left edge must be positive.
_rightEdge >= _leftEdge, // Width must be positive. _rightEdge >= _leftEdge, // Width must be positive.
]; ];
...@@ -174,11 +176,15 @@ class RenderAutoLayout extends RenderBox ...@@ -174,11 +176,15 @@ class RenderAutoLayout extends RenderBox
void adoptChild(RenderObject child) { void adoptChild(RenderObject child) {
// Make sure to call super first to setup the parent data // Make sure to call super first to setup the parent data
super.adoptChild(child); super.adoptChild(child);
child.parentData._setupImplicitConstraints(_solver); final AutoLayoutParentData childParentData = child.parentData;
childParentData._setupImplicitConstraints(_solver);
assert(child.parentData == childParentData);
} }
void dropChild(RenderObject child) { void dropChild(RenderObject child) {
child.parentData._removeImplicitConstraints(_solver); final AutoLayoutParentData childParentData = child.parentData;
childParentData._removeImplicitConstraints(_solver);
assert(child.parentData == childParentData);
super.dropChild(child); super.dropChild(child);
} }
......
...@@ -10,7 +10,7 @@ import 'box.dart'; ...@@ -10,7 +10,7 @@ import 'box.dart';
import 'object.dart'; import 'object.dart';
/// Parent data for use with [RenderBlockBase] /// Parent data for use with [RenderBlockBase]
class BlockParentData extends BoxParentData with ContainerParentDataMixin<RenderBox> { } class BlockParentData extends ContainerBoxParentDataMixin<RenderBox> { }
/// The direction in which the block should lay out /// The direction in which the block should lay out
enum BlockDirection { enum BlockDirection {
...@@ -106,10 +106,11 @@ abstract class RenderBlockBase extends RenderBox with ContainerRenderObjectMixin ...@@ -106,10 +106,11 @@ abstract class RenderBlockBase extends RenderBox with ContainerRenderObjectMixin
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
child.layout(innerConstraints, parentUsesSize: true); child.layout(innerConstraints, parentUsesSize: true);
assert(child.parentData is BlockParentData); final BlockParentData childParentData = child.parentData;
child.parentData.position = isVertical ? new Point(0.0, position) : new Point(position, 0.0); childParentData.position = isVertical ? new Point(0.0, position) : new Point(position, 0.0);
position += isVertical ? child.size.height : child.size.width; position += isVertical ? child.size.height : child.size.width;
child = child.parentData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
size = isVertical ? size = isVertical ?
constraints.constrain(new Size(constraints.maxWidth, _mainAxisExtent)) : constraints.constrain(new Size(constraints.maxWidth, _mainAxisExtent)) :
...@@ -117,7 +118,7 @@ abstract class RenderBlockBase extends RenderBox with ContainerRenderObjectMixin ...@@ -117,7 +118,7 @@ abstract class RenderBlockBase extends RenderBox with ContainerRenderObjectMixin
assert(!size.isInfinite); assert(!size.isInfinite);
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}direction: ${direction}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}direction: $direction\n';
} }
/// A block layout with a concrete set of children /// A block layout with a concrete set of children
...@@ -136,8 +137,8 @@ class RenderBlock extends RenderBlockBase { ...@@ -136,8 +137,8 @@ class RenderBlock extends RenderBlockBase {
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
extent = math.max(extent, childSize(child, innerConstraints)); extent = math.max(extent, childSize(child, innerConstraints));
assert(child.parentData is BlockParentData); final BlockParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
return extent; return extent;
} }
...@@ -156,24 +157,28 @@ class RenderBlock extends RenderBlockBase { ...@@ -156,24 +157,28 @@ class RenderBlock extends RenderBlockBase {
return childExtent == child.getMaxIntrinsicWidth(innerConstraints); return childExtent == child.getMaxIntrinsicWidth(innerConstraints);
}); });
extent += childExtent; extent += childExtent;
assert(child.parentData is BlockParentData); final BlockParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
return math.max(extent, minExtent); return math.max(extent, minExtent);
} }
double getMinIntrinsicWidth(BoxConstraints constraints) { double getMinIntrinsicWidth(BoxConstraints constraints) {
if (isVertical) { if (isVertical) {
return _getIntrinsicCrossAxis(constraints, return _getIntrinsicCrossAxis(
(c, innerConstraints) => c.getMinIntrinsicWidth(innerConstraints)); constraints,
(RenderBox child, BoxConstraints innerConstraints) => child.getMinIntrinsicWidth(innerConstraints)
);
} }
return _getIntrinsicMainAxis(constraints); return _getIntrinsicMainAxis(constraints);
} }
double getMaxIntrinsicWidth(BoxConstraints constraints) { double getMaxIntrinsicWidth(BoxConstraints constraints) {
if (isVertical) { if (isVertical) {
return _getIntrinsicCrossAxis(constraints, return _getIntrinsicCrossAxis(
(c, innerConstraints) => c.getMaxIntrinsicWidth(innerConstraints)); constraints,
(RenderBox child, BoxConstraints innerConstraints) => child.getMaxIntrinsicWidth(innerConstraints)
);
} }
return _getIntrinsicMainAxis(constraints); return _getIntrinsicMainAxis(constraints);
} }
...@@ -181,15 +186,19 @@ class RenderBlock extends RenderBlockBase { ...@@ -181,15 +186,19 @@ class RenderBlock extends RenderBlockBase {
double getMinIntrinsicHeight(BoxConstraints constraints) { double getMinIntrinsicHeight(BoxConstraints constraints) {
if (isVertical) if (isVertical)
return _getIntrinsicMainAxis(constraints); return _getIntrinsicMainAxis(constraints);
return _getIntrinsicCrossAxis(constraints, return _getIntrinsicCrossAxis(
(c, innerConstraints) => c.getMinIntrinsicWidth(innerConstraints)); constraints,
(RenderBox child, BoxConstraints innerConstraints) => child.getMinIntrinsicWidth(innerConstraints)
);
} }
double getMaxIntrinsicHeight(BoxConstraints constraints) { double getMaxIntrinsicHeight(BoxConstraints constraints) {
if (isVertical) if (isVertical)
return _getIntrinsicMainAxis(constraints); return _getIntrinsicMainAxis(constraints);
return _getIntrinsicCrossAxis(constraints, return _getIntrinsicCrossAxis(
(c, innerConstraints) => c.getMaxIntrinsicWidth(innerConstraints)); constraints,
(RenderBox child, BoxConstraints innerConstraints) => child.getMaxIntrinsicWidth(innerConstraints)
);
} }
double computeDistanceToActualBaseline(TextBaseline baseline) { double computeDistanceToActualBaseline(TextBaseline baseline) {
...@@ -391,5 +400,5 @@ class RenderBlockViewport extends RenderBlockBase { ...@@ -391,5 +400,5 @@ class RenderBlockViewport extends RenderBlockBase {
defaultHitTestChildren(result, position: position + new Offset(-startOffset, 0.0)); defaultHitTestChildren(result, position: position + new Offset(-startOffset, 0.0));
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}startOffset: ${startOffset}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}startOffset: $startOffset\n';
} }
...@@ -233,15 +233,18 @@ class BoxConstraints extends Constraints { ...@@ -233,15 +233,18 @@ class BoxConstraints extends Constraints {
); );
} }
bool operator ==(other) { bool operator ==(dynamic other) {
if (identical(this, other)) if (identical(this, other))
return true; return true;
return other is BoxConstraints && if (other is! BoxConstraints)
minWidth == other.minWidth && return false;
maxWidth == other.maxWidth && final BoxConstraints typedOther = other;
minHeight == other.minHeight && return minWidth == typedOther.minWidth &&
maxHeight == other.maxHeight; maxWidth == typedOther.maxWidth &&
minHeight == typedOther.minHeight &&
maxHeight == typedOther.maxHeight;
} }
int get hashCode { int get hashCode {
int value = 373; int value = 373;
value = 37 * value + minWidth.hashCode; value = 37 * value + minWidth.hashCode;
...@@ -274,6 +277,10 @@ class BoxParentData extends ParentData { ...@@ -274,6 +277,10 @@ class BoxParentData extends ParentData {
String toString() => 'position=$position'; String toString() => 'position=$position';
} }
/// Abstract ParentData subclass for RenderBox subclasses that want the
/// ContainerRenderObjectMixin.
abstract class ContainerBoxParentDataMixin<ChildType extends RenderObject> extends BoxParentData with ContainerParentDataMixin<ChildType> { }
/// A render object in a 2D cartesian coordinate system /// A render object in a 2D cartesian coordinate system
/// ///
/// The size of each box is expressed as a width and a height. Each box has its /// The size of each box is expressed as a width and a height. Each box has its
...@@ -349,7 +356,7 @@ abstract class RenderBox extends RenderObject { ...@@ -349,7 +356,7 @@ abstract class RenderBox extends RenderObject {
assert(hasSize); assert(hasSize);
assert(() { assert(() {
if (_size is _DebugSize) { if (_size is _DebugSize) {
final _DebugSize _size = this._size; // TODO(ianh): Remove this once the analyzer is cleverer final _DebugSize _size = this._size;
assert(_size._owner == this); assert(_size._owner == this);
if (RenderObject.debugActiveLayout != null) { if (RenderObject.debugActiveLayout != null) {
// we are always allowed to access our own size (for print debugging and asserts if nothing else) // we are always allowed to access our own size (for print debugging and asserts if nothing else)
...@@ -358,7 +365,7 @@ abstract class RenderBox extends RenderObject { ...@@ -358,7 +365,7 @@ abstract class RenderBox extends RenderObject {
assert(debugDoingThisResize || debugDoingThisLayout || assert(debugDoingThisResize || debugDoingThisLayout ||
(RenderObject.debugActiveLayout == parent && _size._canBeUsedByParent)); (RenderObject.debugActiveLayout == parent && _size._canBeUsedByParent));
} }
assert(_size == this._size); // TODO(ianh): Remove this once the analyzer is cleverer assert(_size == this._size);
} }
return true; return true;
}); });
...@@ -406,8 +413,7 @@ abstract class RenderBox extends RenderObject { ...@@ -406,8 +413,7 @@ abstract class RenderBox extends RenderObject {
double getDistanceToBaseline(TextBaseline baseline, { bool onlyReal: false }) { double getDistanceToBaseline(TextBaseline baseline, { bool onlyReal: false }) {
assert(!needsLayout); assert(!needsLayout);
assert(!_debugDoingBaseline); assert(!_debugDoingBaseline);
final parent = this.parent; // TODO(ianh): Remove this once the analyzer is cleverer final RenderObject parent = this.parent;
assert(parent is RenderObject);
assert(() { assert(() {
if (RenderObject.debugDoingLayout) if (RenderObject.debugDoingLayout)
return (RenderObject.debugActiveLayout == parent) && parent.debugDoingThisLayout; return (RenderObject.debugActiveLayout == parent) && parent.debugDoingThisLayout;
...@@ -419,7 +425,7 @@ abstract class RenderBox extends RenderObject { ...@@ -419,7 +425,7 @@ abstract class RenderBox extends RenderObject {
assert(_debugSetDoingBaseline(true)); assert(_debugSetDoingBaseline(true));
double result = getDistanceToActualBaseline(baseline); double result = getDistanceToActualBaseline(baseline);
assert(_debugSetDoingBaseline(false)); assert(_debugSetDoingBaseline(false));
assert(parent == this.parent); // TODO(ianh): Remove this once the analyzer is cleverer assert(parent == this.parent);
if (result == null && !onlyReal) if (result == null && !onlyReal)
return size.height; return size.height;
return result; return result;
...@@ -475,10 +481,9 @@ abstract class RenderBox extends RenderObject { ...@@ -475,10 +481,9 @@ abstract class RenderBox extends RenderObject {
if (_cachedBaselines != null && _cachedBaselines.isNotEmpty) { if (_cachedBaselines != null && _cachedBaselines.isNotEmpty) {
// if we have cached data, then someone must have used our data // if we have cached data, then someone must have used our data
assert(_ancestorUsesBaseline); assert(_ancestorUsesBaseline);
final parent = this.parent; // TODO(ianh): Remove this once the analyzer is cleverer final RenderObject parent = this.parent;
assert(parent is RenderObject);
parent.markNeedsLayout(); parent.markNeedsLayout();
assert(parent == this.parent); // TODO(ianh): Remove this once the analyzer is cleverer assert(parent == this.parent);
// Now that they're dirty, we can forget that they used the // Now that they're dirty, we can forget that they used the
// baseline. If they use it again, then we'll set the bit // baseline. If they use it again, then we'll set the bit
// again, and if we get dirty again, we'll notify them again. // again, and if we get dirty again, we'll notify them again.
...@@ -628,7 +633,7 @@ abstract class RenderBox extends RenderObject { ...@@ -628,7 +633,7 @@ abstract class RenderBox extends RenderObject {
} }
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}size: ${size}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}size: $size\n';
} }
/// A mixin that provides useful default behaviors for boxes with children /// A mixin that provides useful default behaviors for boxes with children
...@@ -637,7 +642,7 @@ abstract class RenderBox extends RenderObject { ...@@ -637,7 +642,7 @@ abstract class RenderBox extends RenderObject {
/// By convention, this class doesn't override any members of the superclass. /// By convention, this class doesn't override any members of the superclass.
/// Instead, it provides helpful functions that subclasses can call as /// Instead, it provides helpful functions that subclasses can call as
/// appropriate. /// appropriate.
abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, ParentDataType extends ContainerParentDataMixin<ChildType>> implements ContainerRenderObjectMixin<ChildType, ParentDataType> { abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, ParentDataType extends ContainerBoxParentDataMixin<ChildType>> implements ContainerRenderObjectMixin<ChildType, ParentDataType> {
/// Returns the baseline of the first child with a baseline /// Returns the baseline of the first child with a baseline
/// ///
...@@ -647,11 +652,11 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare ...@@ -647,11 +652,11 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare
assert(!needsLayout); assert(!needsLayout);
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is ParentDataType); final ParentDataType childParentData = child.parentData;
double result = child.getDistanceToActualBaseline(baseline); double result = child.getDistanceToActualBaseline(baseline);
if (result != null) if (result != null)
return result + child.parentData.position.y; return result + childParentData.position.y;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
return null; return null;
} }
...@@ -665,16 +670,16 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare ...@@ -665,16 +670,16 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare
double result; double result;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is ParentDataType); final ParentDataType childParentData = child.parentData;
double candidate = child.getDistanceToActualBaseline(baseline); double candidate = child.getDistanceToActualBaseline(baseline);
if (candidate != null) { if (candidate != null) {
candidate += child.parentData.position.y; candidate += childParentData.position.y;
if (result != null) if (result != null)
result = math.min(result, candidate); result = math.min(result, candidate);
else else
result = candidate; result = candidate;
} }
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
return result; return result;
} }
...@@ -687,12 +692,12 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare ...@@ -687,12 +692,12 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare
// the x, y parameters have the top left of the node's box as the origin // the x, y parameters have the top left of the node's box as the origin
ChildType child = lastChild; ChildType child = lastChild;
while (child != null) { while (child != null) {
assert(child.parentData is ParentDataType); final ParentDataType childParentData = child.parentData;
Point transformed = new Point(position.x - child.parentData.position.x, Point transformed = new Point(position.x - childParentData.position.x,
position.y - child.parentData.position.y); position.y - childParentData.position.y);
if (child.hitTest(result, position: transformed)) if (child.hitTest(result, position: transformed))
return true; return true;
child = child.parentData.previousSibling; child = childParentData.previousSibling;
} }
return false; return false;
} }
...@@ -701,9 +706,9 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare ...@@ -701,9 +706,9 @@ abstract class RenderBoxContainerDefaultsMixin<ChildType extends RenderBox, Pare
void defaultPaint(PaintingContext context, Offset offset) { void defaultPaint(PaintingContext context, Offset offset) {
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is ParentDataType); final ParentDataType childParentData = child.parentData;
context.paintChild(child, child.parentData.position + offset); context.paintChild(child, childParentData.position + offset);
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
} }
} }
...@@ -8,7 +8,7 @@ import 'box.dart'; ...@@ -8,7 +8,7 @@ import 'box.dart';
import 'object.dart'; import 'object.dart';
/// Parent data for use with [RenderFlex] /// Parent data for use with [RenderFlex]
class FlexParentData extends BoxParentData with ContainerParentDataMixin<RenderBox> { class FlexParentData extends ContainerBoxParentDataMixin<RenderBox> {
/// The flex factor to use for this child /// The flex factor to use for this child
/// ///
/// If null, the child is inflexible and determines its own size. If non-null, /// If null, the child is inflexible and determines its own size. If non-null,
...@@ -174,8 +174,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -174,8 +174,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
} else { } else {
inflexibleSpace += childSize(child, childConstraints); inflexibleSpace += childSize(child, childConstraints);
} }
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
double mainSize = maxFlexFractionSoFar * totalFlex + inflexibleSpace; double mainSize = maxFlexFractionSoFar * totalFlex + inflexibleSpace;
...@@ -237,8 +237,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -237,8 +237,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
inflexibleSpace += mainSize; inflexibleSpace += mainSize;
maxCrossSize = math.max(maxCrossSize, crossSize); maxCrossSize = math.max(maxCrossSize, crossSize);
} }
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
// Determine the spacePerFlex by allocating the remaining available space // Determine the spacePerFlex by allocating the remaining available space
...@@ -265,8 +265,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -265,8 +265,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
} }
maxCrossSize = math.max(maxCrossSize, crossSize); maxCrossSize = math.max(maxCrossSize, crossSize);
} }
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
// Ensure that we don't violate the given constraints with our result // Ensure that we don't violate the given constraints with our result
...@@ -283,7 +283,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -283,7 +283,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
return _getIntrinsicSize( return _getIntrinsicSize(
constraints: constraints, constraints: constraints,
sizingDirection: FlexDirection.horizontal, sizingDirection: FlexDirection.horizontal,
childSize: (c, innerConstraints) => c.getMinIntrinsicWidth(innerConstraints) childSize: (RenderBox child, BoxConstraints innerConstraints) => child.getMinIntrinsicWidth(innerConstraints)
); );
} }
...@@ -291,7 +291,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -291,7 +291,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
return _getIntrinsicSize( return _getIntrinsicSize(
constraints: constraints, constraints: constraints,
sizingDirection: FlexDirection.horizontal, sizingDirection: FlexDirection.horizontal,
childSize: (c, innerConstraints) => c.getMaxIntrinsicWidth(innerConstraints) childSize: (RenderBox child, BoxConstraints innerConstraints) => child.getMaxIntrinsicWidth(innerConstraints)
); );
} }
...@@ -299,7 +299,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -299,7 +299,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
return _getIntrinsicSize( return _getIntrinsicSize(
constraints: constraints, constraints: constraints,
sizingDirection: FlexDirection.vertical, sizingDirection: FlexDirection.vertical,
childSize: (c, innerConstraints) => c.getMinIntrinsicHeight(innerConstraints) childSize: (RenderBox child, BoxConstraints innerConstraints) => child.getMinIntrinsicHeight(innerConstraints)
); );
} }
...@@ -307,7 +307,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -307,7 +307,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
return _getIntrinsicSize( return _getIntrinsicSize(
constraints: constraints, constraints: constraints,
sizingDirection: FlexDirection.vertical, sizingDirection: FlexDirection.vertical,
childSize: (c, innerConstraints) => c.getMaxIntrinsicHeight(innerConstraints)); childSize: (RenderBox child, BoxConstraints innerConstraints) => child.getMaxIntrinsicHeight(innerConstraints));
} }
double computeDistanceToActualBaseline(TextBaseline baseline) { double computeDistanceToActualBaseline(TextBaseline baseline) {
...@@ -317,8 +317,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -317,8 +317,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
} }
int _getFlex(RenderBox child) { int _getFlex(RenderBox child) {
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
return child.parentData.flex != null ? child.parentData.flex : 0; return childParentData.flex != null ? childParentData.flex : 0;
} }
double _getCrossSize(RenderBox child) { double _getCrossSize(RenderBox child) {
...@@ -342,7 +342,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -342,7 +342,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
double freeSpace = canFlex ? mainSize : 0.0; double freeSpace = canFlex ? mainSize : 0.0;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
totalChildren++; totalChildren++;
int flex = _getFlex(child); int flex = _getFlex(child);
if (flex > 0) { if (flex > 0) {
...@@ -350,7 +350,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -350,7 +350,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
// When the container is infinite, for example if you are in a scrollable viewport, then // When the container is infinite, for example if you are in a scrollable viewport, then
// it wouldn't make any sense to have a flexible child. // it wouldn't make any sense to have a flexible child.
assert(canFlex && 'See https://flutter.github.io/layout/#flex' is String); assert(canFlex && 'See https://flutter.github.io/layout/#flex' is String);
totalFlex += child.parentData.flex; totalFlex += childParentData.flex;
} else { } else {
BoxConstraints innerConstraints; BoxConstraints innerConstraints;
if (alignItems == FlexAlignItems.stretch) { if (alignItems == FlexAlignItems.stretch) {
...@@ -378,7 +378,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -378,7 +378,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
freeSpace -= _getMainSize(child); freeSpace -= _getMainSize(child);
crossSize = math.max(crossSize, _getCrossSize(child)); crossSize = math.max(crossSize, _getCrossSize(child));
} }
child = child.parentData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
_overflow = math.max(0.0, -freeSpace); _overflow = math.max(0.0, -freeSpace);
freeSpace = math.max(0.0, freeSpace); freeSpace = math.max(0.0, freeSpace);
...@@ -433,8 +434,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -433,8 +434,8 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
if (distance != null) if (distance != null)
maxBaselineDistance = math.max(maxBaselineDistance, distance); maxBaselineDistance = math.max(maxBaselineDistance, distance);
} }
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
} }
...@@ -502,7 +503,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -502,7 +503,7 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
double childMainPosition = leadingSpace; double childMainPosition = leadingSpace;
child = firstChild; child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is FlexParentData); final FlexParentData childParentData = child.parentData;
double childCrossPosition; double childCrossPosition;
switch (_alignItems) { switch (_alignItems) {
case FlexAlignItems.stretch: case FlexAlignItems.stretch:
...@@ -527,14 +528,14 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -527,14 +528,14 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
} }
switch (_direction) { switch (_direction) {
case FlexDirection.horizontal: case FlexDirection.horizontal:
child.parentData.position = new Point(childMainPosition, childCrossPosition); childParentData.position = new Point(childMainPosition, childCrossPosition);
break; break;
case FlexDirection.vertical: case FlexDirection.vertical:
child.parentData.position = new Point(childCrossPosition, childMainPosition); childParentData.position = new Point(childCrossPosition, childMainPosition);
break; break;
} }
childMainPosition += _getMainSize(child) + betweenSpace; childMainPosition += _getMainSize(child) + betweenSpace;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
} }
} }
...@@ -593,6 +594,6 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl ...@@ -593,6 +594,6 @@ class RenderFlex extends RenderBox with ContainerRenderObjectMixin<RenderBox, Fl
return header; return header;
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}direction: ${_direction}\n${prefix}justifyContent: ${_justifyContent}\n${prefix}alignItems: ${_alignItems}\n${prefix}textBaseline: ${_textBaseline}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}direction: $_direction\n${prefix}justifyContent: $_justifyContent\n${prefix}alignItems: $_alignItems\n${prefix}textBaseline: $_textBaseline\n';
} }
...@@ -42,7 +42,7 @@ class _GridMetrics { ...@@ -42,7 +42,7 @@ class _GridMetrics {
} }
/// Parent data for use with [RenderGrid] /// Parent data for use with [RenderGrid]
class GridParentData extends BoxParentData with ContainerParentDataMixin<RenderBox> {} class GridParentData extends ContainerBoxParentDataMixin<RenderBox> {}
/// Implements the grid layout algorithm /// Implements the grid layout algorithm
/// ///
...@@ -120,14 +120,17 @@ class RenderGrid extends RenderBox with ContainerRenderObjectMixin<RenderBox, Gr ...@@ -120,14 +120,17 @@ class RenderGrid extends RenderBox with ContainerRenderObjectMixin<RenderBox, Gr
double x = (column + 1) * metrics.childPadding + (column * metrics.childSize.width); double x = (column + 1) * metrics.childPadding + (column * metrics.childSize.width);
double y = (row + 1) * metrics.childPadding + (row * metrics.childSize.height); double y = (row + 1) * metrics.childPadding + (row * metrics.childSize.height);
child.parentData.position = new Point(x, y); final GridParentData childParentData = child.parentData;
childParentData.position = new Point(x, y);
column += 1; column += 1;
if (column >= metrics.childrenPerRow) { if (column >= metrics.childrenPerRow) {
row += 1; row += 1;
column = 0; column = 0;
} }
child = child.parentData.nextSibling;
assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
} }
......
...@@ -174,5 +174,5 @@ class RenderImage extends RenderBox { ...@@ -174,5 +174,5 @@ class RenderImage extends RenderBox {
); );
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}width: ${width}\n${prefix}height: ${height}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}width: $width\n${prefix}height: $height\n';
} }
...@@ -142,7 +142,7 @@ class RenderConstrainedBox extends RenderProxyBox { ...@@ -142,7 +142,7 @@ class RenderConstrainedBox extends RenderProxyBox {
} }
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}additionalConstraints: ${additionalConstraints}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}additionalConstraints: $additionalConstraints\n';
} }
/// A render object that, for both width and height, imposes a tight constraint /// A render object that, for both width and height, imposes a tight constraint
...@@ -376,7 +376,7 @@ class RenderAspectRatio extends RenderProxyBox { ...@@ -376,7 +376,7 @@ class RenderAspectRatio extends RenderProxyBox {
RenderAspectRatio({ RenderAspectRatio({
RenderBox child, RenderBox child,
double aspectRatio double aspectRatio
}) : super(child), _aspectRatio = aspectRatio { }) : _aspectRatio = aspectRatio, super(child) {
assert(_aspectRatio != null); assert(_aspectRatio != null);
} }
...@@ -419,7 +419,7 @@ class RenderAspectRatio extends RenderProxyBox { ...@@ -419,7 +419,7 @@ class RenderAspectRatio extends RenderProxyBox {
child.layout(new BoxConstraints.tight(size)); child.layout(new BoxConstraints.tight(size));
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}aspectRatio: ${aspectRatio}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}aspectRatio: $aspectRatio\n';
} }
/// Sizes its child to the child's intrinsic width /// Sizes its child to the child's intrinsic width
...@@ -514,7 +514,7 @@ class RenderIntrinsicWidth extends RenderProxyBox { ...@@ -514,7 +514,7 @@ class RenderIntrinsicWidth extends RenderProxyBox {
} }
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}stepWidth: ${stepWidth}\n${prefix}stepHeight: ${stepHeight}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}stepWidth: $stepWidth\n${prefix}stepHeight: $stepHeight\n';
} }
...@@ -628,8 +628,7 @@ class RenderOpacity extends RenderProxyBox { ...@@ -628,8 +628,7 @@ class RenderOpacity extends RenderProxyBox {
/// child into an intermediate buffer. /// child into an intermediate buffer.
class RenderColorFilter extends RenderProxyBox { class RenderColorFilter extends RenderProxyBox {
RenderColorFilter({ RenderBox child, Color color, ui.TransferMode transferMode }) RenderColorFilter({ RenderBox child, Color color, ui.TransferMode transferMode })
: _color = color, _transferMode = transferMode, super(child) { : _color = color, _transferMode = transferMode, super(child);
}
/// The color to use as input to the color filter /// The color to use as input to the color filter
Color get color => _color; Color get color => _color;
...@@ -661,8 +660,7 @@ class RenderColorFilter extends RenderProxyBox { ...@@ -661,8 +660,7 @@ class RenderColorFilter extends RenderProxyBox {
class RenderShaderMask extends RenderProxyBox { class RenderShaderMask extends RenderProxyBox {
RenderShaderMask({ RenderBox child, ShaderCallback shaderCallback, ui.TransferMode transferMode }) RenderShaderMask({ RenderBox child, ShaderCallback shaderCallback, ui.TransferMode transferMode })
: _shaderCallback = shaderCallback, _transferMode = transferMode, super(child) { : _shaderCallback = shaderCallback, _transferMode = transferMode, super(child);
}
ShaderCallback get shaderCallback => _shaderCallback; ShaderCallback get shaderCallback => _shaderCallback;
ShaderCallback _shaderCallback; ShaderCallback _shaderCallback;
...@@ -969,9 +967,9 @@ class RenderTransform extends RenderProxyBox { ...@@ -969,9 +967,9 @@ class RenderTransform extends RenderProxyBox {
} }
String debugDescribeSettings(String prefix) { String debugDescribeSettings(String prefix) {
List<String> result = _transform.toString().split('\n').map((s) => '$prefix $s\n').toList(); List<String> result = _transform.toString().split('\n').map((String s) => '$prefix $s\n').toList();
result.removeLast(); result.removeLast();
return '${super.debugDescribeSettings(prefix)}${prefix}transform matrix:\n${result.join()}\n${prefix}origin: ${origin}\n'; return '${super.debugDescribeSettings(prefix)}${prefix}transform matrix:\n${result.join()}\n${prefix}origin: $origin\n';
} }
} }
......
...@@ -44,9 +44,9 @@ abstract class RenderShiftedBox extends RenderBox with RenderObjectWithChildMixi ...@@ -44,9 +44,9 @@ abstract class RenderShiftedBox extends RenderBox with RenderObjectWithChildMixi
if (child != null) { if (child != null) {
assert(!needsLayout); assert(!needsLayout);
result = child.getDistanceToActualBaseline(baseline); result = child.getDistanceToActualBaseline(baseline);
assert(child.parentData is BoxParentData); final BoxParentData childParentData = child.parentData;
if (result != null) if (result != null)
result += child.parentData.position.y; result += childParentData.position.y;
} else { } else {
result = super.computeDistanceToActualBaseline(baseline); result = super.computeDistanceToActualBaseline(baseline);
} }
...@@ -54,15 +54,17 @@ abstract class RenderShiftedBox extends RenderBox with RenderObjectWithChildMixi ...@@ -54,15 +54,17 @@ abstract class RenderShiftedBox extends RenderBox with RenderObjectWithChildMixi
} }
void paint(PaintingContext context, Offset offset) { void paint(PaintingContext context, Offset offset) {
if (child != null) if (child != null) {
context.paintChild(child, child.parentData.position + offset); final BoxParentData childParentData = child.parentData;
context.paintChild(child, childParentData.position + offset);
}
} }
void hitTestChildren(HitTestResult result, { Point position }) { void hitTestChildren(HitTestResult result, { Point position }) {
if (child != null) { if (child != null) {
assert(child.parentData is BoxParentData); final BoxParentData childParentData = child.parentData;
child.hitTest(result, position: new Point(position.x - child.parentData.position.x, child.hitTest(result, position: new Point(position.x - childParentData.position.x,
position.y - child.parentData.position.y)); position.y - childParentData.position.y));
} }
} }
...@@ -125,15 +127,15 @@ class RenderPadding extends RenderShiftedBox { ...@@ -125,15 +127,15 @@ class RenderPadding extends RenderShiftedBox {
} }
BoxConstraints innerConstraints = constraints.deflate(padding); BoxConstraints innerConstraints = constraints.deflate(padding);
child.layout(innerConstraints, parentUsesSize: true); child.layout(innerConstraints, parentUsesSize: true);
assert(child.parentData is BoxParentData); final BoxParentData childParentData = child.parentData;
child.parentData.position = new Point(padding.left, padding.top); childParentData.position = new Point(padding.left, padding.top);
size = constraints.constrain(new Size( size = constraints.constrain(new Size(
padding.left + child.size.width + padding.right, padding.left + child.size.width + padding.right,
padding.top + child.size.height + padding.bottom padding.top + child.size.height + padding.bottom
)); ));
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}padding: ${padding}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}padding: $padding\n';
} }
enum ShrinkWrap { enum ShrinkWrap {
...@@ -204,16 +206,16 @@ class RenderPositionedBox extends RenderShiftedBox { ...@@ -204,16 +206,16 @@ class RenderPositionedBox extends RenderShiftedBox {
child.layout(constraints.loosen(), parentUsesSize: true); child.layout(constraints.loosen(), parentUsesSize: true);
size = constraints.constrain(new Size(_shinkWrapWidth ? child.size.width : double.INFINITY, size = constraints.constrain(new Size(_shinkWrapWidth ? child.size.width : double.INFINITY,
_shinkWrapHeight ? child.size.height : double.INFINITY)); _shinkWrapHeight ? child.size.height : double.INFINITY));
assert(child.parentData is BoxParentData);
Offset delta = size - child.size; Offset delta = size - child.size;
child.parentData.position = (delta.scale(horizontal, vertical)).toPoint(); final BoxParentData childParentData = child.parentData;
childParentData.position = (delta.scale(horizontal, vertical)).toPoint();
} else { } else {
size = constraints.constrain(new Size(_shinkWrapWidth ? 0.0 : double.INFINITY, size = constraints.constrain(new Size(_shinkWrapWidth ? 0.0 : double.INFINITY,
_shinkWrapHeight ? 0.0 : double.INFINITY)); _shinkWrapHeight ? 0.0 : double.INFINITY));
} }
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}horizontal: ${horizontal}\n${prefix}vertical: ${vertical}\n'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}horizontal: $horizontal\n${prefix}vertical: $vertical\n';
} }
class RenderBaseline extends RenderShiftedBox { class RenderBaseline extends RenderShiftedBox {
...@@ -253,13 +255,13 @@ class RenderBaseline extends RenderShiftedBox { ...@@ -253,13 +255,13 @@ class RenderBaseline extends RenderShiftedBox {
if (child != null) { if (child != null) {
child.layout(constraints.loosen(), parentUsesSize: true); child.layout(constraints.loosen(), parentUsesSize: true);
size = constraints.constrain(child.size); size = constraints.constrain(child.size);
assert(child.parentData is BoxParentData);
double delta = baseline - child.getDistanceToBaseline(baselineType); double delta = baseline - child.getDistanceToBaseline(baselineType);
child.parentData.position = new Point(0.0, delta); final BoxParentData childParentData = child.parentData;
childParentData.position = new Point(0.0, delta);
} else { } else {
performResize(); performResize();
} }
} }
String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}baseline: ${baseline}\nbaselineType: ${baselineType}'; String debugDescribeSettings(String prefix) => '${super.debugDescribeSettings(prefix)}${prefix}baseline: $baseline\nbaselineType: $baselineType';
} }
...@@ -8,7 +8,7 @@ import 'box.dart'; ...@@ -8,7 +8,7 @@ import 'box.dart';
import 'object.dart'; import 'object.dart';
/// Parent data for use with [RenderStack] /// Parent data for use with [RenderStack]
class StackParentData extends BoxParentData with ContainerParentDataMixin<RenderBox> { class StackParentData extends ContainerBoxParentDataMixin<RenderBox> {
/// The offset of the child's top edge from the top of the stack /// The offset of the child's top edge from the top of the stack
double top; double top;
...@@ -84,10 +84,11 @@ abstract class RenderStackBase extends RenderBox ...@@ -84,10 +84,11 @@ abstract class RenderStackBase extends RenderBox
double width = constraints.minWidth; double width = constraints.minWidth;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
if (!child.parentData.isPositioned) if (!childParentData.isPositioned)
width = math.max(width, child.getMinIntrinsicWidth(constraints)); width = math.max(width, child.getMinIntrinsicWidth(constraints));
child = child.parentData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
assert(width == constraints.constrainWidth(width)); assert(width == constraints.constrainWidth(width));
return width; return width;
...@@ -98,12 +99,13 @@ abstract class RenderStackBase extends RenderBox ...@@ -98,12 +99,13 @@ abstract class RenderStackBase extends RenderBox
double width = constraints.minWidth; double width = constraints.minWidth;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
if (!child.parentData.isPositioned) { if (!childParentData.isPositioned) {
hasNonPositionedChildren = true; hasNonPositionedChildren = true;
width = math.max(width, child.getMaxIntrinsicWidth(constraints)); width = math.max(width, child.getMaxIntrinsicWidth(constraints));
} }
child = child.parentData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
if (!hasNonPositionedChildren) if (!hasNonPositionedChildren)
return constraints.constrainWidth(); return constraints.constrainWidth();
...@@ -115,10 +117,11 @@ abstract class RenderStackBase extends RenderBox ...@@ -115,10 +117,11 @@ abstract class RenderStackBase extends RenderBox
double height = constraints.minHeight; double height = constraints.minHeight;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
if (!child.parentData.isPositioned) if (!childParentData.isPositioned)
height = math.max(height, child.getMinIntrinsicHeight(constraints)); height = math.max(height, child.getMinIntrinsicHeight(constraints));
child = child.parentData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
assert(height == constraints.constrainHeight(height)); assert(height == constraints.constrainHeight(height));
return height; return height;
...@@ -129,12 +132,13 @@ abstract class RenderStackBase extends RenderBox ...@@ -129,12 +132,13 @@ abstract class RenderStackBase extends RenderBox
double height = constraints.minHeight; double height = constraints.minHeight;
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
if (!child.parentData.isPositioned) { if (!childParentData.isPositioned) {
hasNonPositionedChildren = true; hasNonPositionedChildren = true;
height = math.max(height, child.getMaxIntrinsicHeight(constraints)); height = math.max(height, child.getMaxIntrinsicHeight(constraints));
} }
child = child.parentData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
if (!hasNonPositionedChildren) if (!hasNonPositionedChildren)
return constraints.constrainHeight(); return constraints.constrainHeight();
...@@ -155,21 +159,20 @@ abstract class RenderStackBase extends RenderBox ...@@ -155,21 +159,20 @@ abstract class RenderStackBase extends RenderBox
RenderBox child = firstChild; RenderBox child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
final StackParentData parentData = child.parentData;
if (!parentData.isPositioned) { if (!childParentData.isPositioned) {
hasNonPositionedChildren = true; hasNonPositionedChildren = true;
child.layout(constraints, parentUsesSize: true); child.layout(constraints, parentUsesSize: true);
parentData.position = Point.origin; childParentData.position = Point.origin;
final Size childSize = child.size; final Size childSize = child.size;
width = math.max(width, childSize.width); width = math.max(width, childSize.width);
height = math.max(height, childSize.height); height = math.max(height, childSize.height);
} }
child = parentData.nextSibling; child = childParentData.nextSibling;
} }
if (hasNonPositionedChildren) { if (hasNonPositionedChildren) {
...@@ -184,46 +187,46 @@ abstract class RenderStackBase extends RenderBox ...@@ -184,46 +187,46 @@ abstract class RenderStackBase extends RenderBox
child = firstChild; child = firstChild;
while (child != null) { while (child != null) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
final StackParentData childData = child.parentData;
if (!childData.isPositioned) { if (!childParentData.isPositioned) {
double x = (size.width - child.size.width) * horizontalAlignment; double x = (size.width - child.size.width) * horizontalAlignment;
double y = (size.height - child.size.height) * verticalAlignment; double y = (size.height - child.size.height) * verticalAlignment;
childData.position = new Point(x, y); childParentData.position = new Point(x, y);
} else { } else {
BoxConstraints childConstraints = const BoxConstraints(); BoxConstraints childConstraints = const BoxConstraints();
if (childData.left != null && childData.right != null) if (childParentData.left != null && childParentData.right != null)
childConstraints = childConstraints.tightenWidth(size.width - childData.right - childData.left); childConstraints = childConstraints.tightenWidth(size.width - childParentData.right - childParentData.left);
if (childData.top != null && childData.bottom != null) if (childParentData.top != null && childParentData.bottom != null)
childConstraints = childConstraints.tightenHeight(size.height - childData.bottom - childData.top); childConstraints = childConstraints.tightenHeight(size.height - childParentData.bottom - childParentData.top);
child.layout(childConstraints, parentUsesSize: true); child.layout(childConstraints, parentUsesSize: true);
double x = 0.0; double x = 0.0;
if (childData.left != null) if (childParentData.left != null)
x = childData.left; x = childParentData.left;
else if (childData.right != null) else if (childParentData.right != null)
x = size.width - childData.right - child.size.width; x = size.width - childParentData.right - child.size.width;
if (x < 0.0 || x + child.size.width > size.width) if (x < 0.0 || x + child.size.width > size.width)
_hasVisualOverflow = true; _hasVisualOverflow = true;
double y = 0.0; double y = 0.0;
if (childData.top != null) if (childParentData.top != null)
y = childData.top; y = childParentData.top;
else if (childData.bottom != null) else if (childParentData.bottom != null)
y = size.height - childData.bottom - child.size.height; y = size.height - childParentData.bottom - child.size.height;
if (y < 0.0 || y + child.size.height > size.height) if (y < 0.0 || y + child.size.height > size.height)
_hasVisualOverflow = true; _hasVisualOverflow = true;
childData.position = new Point(x, y); childParentData.position = new Point(x, y);
} }
child = childData.nextSibling; assert(child.parentData == childParentData);
child = childParentData.nextSibling;
} }
} }
...@@ -320,8 +323,8 @@ class RenderIndexedStack extends RenderStackBase { ...@@ -320,8 +323,8 @@ class RenderIndexedStack extends RenderStackBase {
RenderBox child = firstChild; RenderBox child = firstChild;
int i = 0; int i = 0;
while (child != null && i < index) { while (child != null && i < index) {
assert(child.parentData is StackParentData); final StackParentData childParentData = child.parentData;
child = child.parentData.nextSibling; child = childParentData.nextSibling;
i += 1; i += 1;
} }
assert(i == index); assert(i == index);
...@@ -334,8 +337,9 @@ class RenderIndexedStack extends RenderStackBase { ...@@ -334,8 +337,9 @@ class RenderIndexedStack extends RenderStackBase {
return; return;
assert(position != null); assert(position != null);
RenderBox child = _childAtIndex(); RenderBox child = _childAtIndex();
Point transformed = new Point(position.x - child.parentData.position.x, final StackParentData childParentData = child.parentData;
position.y - child.parentData.position.y); Point transformed = new Point(position.x - childParentData.position.x,
position.y - childParentData.position.y);
child.hitTest(result, position: transformed); child.hitTest(result, position: transformed);
} }
...@@ -343,6 +347,7 @@ class RenderIndexedStack extends RenderStackBase { ...@@ -343,6 +347,7 @@ class RenderIndexedStack extends RenderStackBase {
if (firstChild == null) if (firstChild == null)
return; return;
RenderBox child = _childAtIndex(); RenderBox child = _childAtIndex();
context.paintChild(child, child.parentData.position + offset); final StackParentData childParentData = child.parentData;
context.paintChild(child, childParentData.position + offset);
} }
} }
...@@ -128,8 +128,8 @@ class RenderViewport extends RenderBox with RenderObjectWithChildMixin<RenderBox ...@@ -128,8 +128,8 @@ class RenderViewport extends RenderBox with RenderObjectWithChildMixin<RenderBox
if (child != null) { if (child != null) {
child.layout(_getInnerConstraints(constraints), parentUsesSize: true); child.layout(_getInnerConstraints(constraints), parentUsesSize: true);
size = constraints.constrain(child.size); size = constraints.constrain(child.size);
assert(child.parentData is BoxParentData); final BoxParentData childParentData = child.parentData;
child.parentData.position = Point.origin; childParentData.position = Point.origin;
} else { } else {
performResize(); performResize();
} }
......
...@@ -50,7 +50,7 @@ Future _fetchAndUnpackBundle(String relativeUrl, AssetBundleProxy bundle) async ...@@ -50,7 +50,7 @@ Future _fetchAndUnpackBundle(String relativeUrl, AssetBundleProxy bundle) async
} }
class MojoAssetBundle extends AssetBundle { class MojoAssetBundle extends AssetBundle {
MojoAssetBundle(AssetBundleProxy this._bundle); MojoAssetBundle(this._bundle);
factory MojoAssetBundle.fromNetwork(String relativeUrl) { factory MojoAssetBundle.fromNetwork(String relativeUrl) {
AssetBundleProxy bundle = new AssetBundleProxy.unbound(); AssetBundleProxy bundle = new AssetBundleProxy.unbound();
......
...@@ -53,7 +53,7 @@ Future<UrlResponse> fetchUrl(String relativeUrl) async { ...@@ -53,7 +53,7 @@ Future<UrlResponse> fetchUrl(String relativeUrl) async {
UrlRequest request = new UrlRequest() UrlRequest request = new UrlRequest()
..url = url ..url = url
..autoFollowRedirects = true; ..autoFollowRedirects = true;
return fetch(request); return await fetch(request);
} }
Future<Response> fetchBody(String relativeUrl) async { Future<Response> fetchBody(String relativeUrl) async {
......
...@@ -3,7 +3,6 @@ ...@@ -3,7 +3,6 @@
// found in the LICENSE file. // found in the LICENSE file.
import 'dart:async'; import 'dart:async';
import 'dart:collection';
import 'dart:ui' as ui; import 'dart:ui' as ui;
import 'package:mojo/mojo/url_response.mojom.dart'; import 'package:mojo/mojo/url_response.mojom.dart';
...@@ -15,7 +14,7 @@ import 'image_resource.dart'; ...@@ -15,7 +14,7 @@ import 'image_resource.dart';
Future<ui.Image> _fetchImage(String url) async { Future<ui.Image> _fetchImage(String url) async {
UrlResponse response = await fetchUrl(url); UrlResponse response = await fetchUrl(url);
if (response.statusCode >= 400) { if (response.statusCode >= 400) {
print("Failed (${response.statusCode}) to load image ${url}"); print("Failed (${response.statusCode}) to load image $url");
return null; return null;
} }
return await decodeImageFromDataPipe(response.body); return await decodeImageFromDataPipe(response.body);
...@@ -24,7 +23,7 @@ Future<ui.Image> _fetchImage(String url) async { ...@@ -24,7 +23,7 @@ Future<ui.Image> _fetchImage(String url) async {
class _ImageCache { class _ImageCache {
_ImageCache._(); _ImageCache._();
final HashMap<String, ImageResource> _cache = new Map<String, ImageResource>(); final Map<String, ImageResource> _cache = new Map<String, ImageResource>();
ImageResource load(String url) { ImageResource load(String url) {
return _cache.putIfAbsent(url, () { return _cache.putIfAbsent(url, () {
......
...@@ -770,7 +770,7 @@ class DefaultTextStyle extends InheritedWidget { ...@@ -770,7 +770,7 @@ class DefaultTextStyle extends InheritedWidget {
} }
class Text extends StatelessComponent { class Text extends StatelessComponent {
Text(this.data, { Key key, TextStyle this.style }) : super(key: key) { Text(this.data, { Key key, this.style }) : super(key: key) {
assert(data != null); assert(data != null);
} }
...@@ -790,7 +790,7 @@ class Text extends StatelessComponent { ...@@ -790,7 +790,7 @@ class Text extends StatelessComponent {
combinedStyle = style; combinedStyle = style;
} }
if (combinedStyle != null) if (combinedStyle != null)
text = new StyledTextSpan(combinedStyle, [text]); text = new StyledTextSpan(combinedStyle, <TextSpan>[text]);
return new Paragraph(text: text); return new Paragraph(text: text);
} }
......
...@@ -11,22 +11,22 @@ import 'package:flutter/rendering.dart'; ...@@ -11,22 +11,22 @@ import 'package:flutter/rendering.dart';
import 'basic.dart'; import 'basic.dart';
import 'framework.dart'; import 'framework.dart';
const _kCursorBlinkPeriod = 500; // milliseconds const _kCursorBlinkHalfPeriod = 500; // milliseconds
typedef void StringUpdated(); typedef void StringUpdated();
class TextRange { class TextRange {
const TextRange({ this.start, this.end });
const TextRange.collapsed(int position)
: start = position,
end = position;
const TextRange.empty()
: start = -1,
end = -1;
final int start; final int start;
final int end; final int end;
TextRange({this.start, this.end});
TextRange.collapsed(int position)
: start = position,
end = position;
const TextRange.empty()
: start = -1,
end = -1;
bool get isValid => start >= 0 && end >= 0; bool get isValid => start >= 0 && end >= 0;
bool get isCollapsed => start == end; bool get isCollapsed => start == end;
} }
...@@ -155,12 +155,14 @@ class EditableTextState extends State<EditableText> { ...@@ -155,12 +155,14 @@ class EditableTextState extends State<EditableText> {
Timer _cursorTimer; Timer _cursorTimer;
bool _showCursor = false; bool _showCursor = false;
/// Whether the blinking cursor is visible (exposed for testing). /// Whether the blinking cursor is actually visible at this precise moment
bool get test_showCursor => _showCursor; /// (it's hidden half the time, since it blinks).
bool get cursorCurrentlyVisible => _showCursor;
/// The cursor blink interval (exposed for testing). /// The cursor blink interval (the amount of time the cursor is in the "on"
Duration get test_cursorBlinkPeriod => /// state or the "off" state). A complete cursor blink period is twice this
new Duration(milliseconds: _kCursorBlinkPeriod); /// value (half on, half off).
Duration get cursorBlinkInterval => new Duration(milliseconds: _kCursorBlinkHalfPeriod);
void _cursorTick(Timer timer) { void _cursorTick(Timer timer) {
setState(() { setState(() {
...@@ -171,7 +173,9 @@ class EditableTextState extends State<EditableText> { ...@@ -171,7 +173,9 @@ class EditableTextState extends State<EditableText> {
void _startCursorTimer() { void _startCursorTimer() {
_showCursor = true; _showCursor = true;
_cursorTimer = new Timer.periodic( _cursorTimer = new Timer.periodic(
new Duration(milliseconds: _kCursorBlinkPeriod), _cursorTick); new Duration(milliseconds: _kCursorBlinkHalfPeriod),
_cursorTick
);
} }
void dispose() { void dispose() {
...@@ -254,16 +258,16 @@ class _EditableTextWidget extends LeafRenderObjectWidget { ...@@ -254,16 +258,16 @@ class _EditableTextWidget extends LeafRenderObjectWidget {
const TextStyle(decoration: underline) const TextStyle(decoration: underline)
); );
return new StyledTextSpan(style, [ return new StyledTextSpan(style, <TextSpan>[
new PlainTextSpan(value.textBefore(value.composing)), new PlainTextSpan(value.textBefore(value.composing)),
new StyledTextSpan(composingStyle, [ new StyledTextSpan(composingStyle, <TextSpan>[
new PlainTextSpan(value.textInside(value.composing)) new PlainTextSpan(value.textInside(value.composing))
]), ]),
new PlainTextSpan(value.textAfter(value.composing)) new PlainTextSpan(value.textAfter(value.composing))
]); ]);
} }
return new StyledTextSpan(style, [ return new StyledTextSpan(style, <TextSpan>[
new PlainTextSpan(value.text) new PlainTextSpan(value.text)
]); ]);
} }
......
...@@ -30,9 +30,14 @@ abstract class Key { ...@@ -30,9 +30,14 @@ abstract class Key {
class ValueKey<T> extends Key { class ValueKey<T> extends Key {
const ValueKey(this.value) : super.constructor(); const ValueKey(this.value) : super.constructor();
final T value; final T value;
String toString() => '[\'${value}\']'; bool operator ==(dynamic other) {
bool operator==(other) => other is ValueKey<T> && other.value == value; if (other is! ValueKey<T>)
return false;
final ValueKey<T> typedOther = other;
return value == typedOther.value;
}
int get hashCode => value.hashCode; int get hashCode => value.hashCode;
String toString() => '[\'$value\']';
} }
/// A kind of [Key] that takes its identity from the object used as its value. /// A kind of [Key] that takes its identity from the object used as its value.
...@@ -42,9 +47,14 @@ class ValueKey<T> extends Key { ...@@ -42,9 +47,14 @@ class ValueKey<T> extends Key {
class ObjectKey extends Key { class ObjectKey extends Key {
const ObjectKey(this.value) : super.constructor(); const ObjectKey(this.value) : super.constructor();
final Object value; final Object value;
String toString() => '[${value.runtimeType}(${value.hashCode})]'; bool operator ==(dynamic other) {
bool operator==(other) => other is ObjectKey && identical(other.value, value); if (other is! ObjectKey)
return false;
final ObjectKey typedOther = other;
return identical(value, typedOther.value);
}
int get hashCode => identityHashCode(value); int get hashCode => identityHashCode(value);
String toString() => '[${value.runtimeType}(${value.hashCode})]';
} }
typedef void GlobalKeyRemoveListener(GlobalKey key); typedef void GlobalKeyRemoveListener(GlobalKey key);
...@@ -57,7 +67,7 @@ abstract class GlobalKey<T extends State> extends Key { ...@@ -57,7 +67,7 @@ abstract class GlobalKey<T extends State> extends Key {
/// Constructs a LabeledGlobalKey, which is a GlobalKey with a label used for debugging. /// Constructs a LabeledGlobalKey, which is a GlobalKey with a label used for debugging.
/// The label is not used for comparing the identity of the key. /// The label is not used for comparing the identity of the key.
factory GlobalKey({ String label }) => new LabeledGlobalKey(label); // the label is purely for debugging purposes and is otherwise ignored factory GlobalKey({ String label }) => new LabeledGlobalKey<T>(label); // the label is purely for debugging purposes and is otherwise ignored
static final Map<GlobalKey, Element> _registry = new Map<GlobalKey, Element>(); static final Map<GlobalKey, Element> _registry = new Map<GlobalKey, Element>();
static final Map<GlobalKey, int> _debugDuplicates = new Map<GlobalKey, int>(); static final Map<GlobalKey, int> _debugDuplicates = new Map<GlobalKey, int>();
...@@ -154,7 +164,7 @@ abstract class GlobalKey<T extends State> extends Key { ...@@ -154,7 +164,7 @@ abstract class GlobalKey<T extends State> extends Key {
/// Each LabeledGlobalKey instance is a unique key. /// Each LabeledGlobalKey instance is a unique key.
/// The optional label can be used for documentary purposes. It does not affect /// The optional label can be used for documentary purposes. It does not affect
/// the key's identity. /// the key's identity.
class LabeledGlobalKey extends GlobalKey { class LabeledGlobalKey<T extends State> extends GlobalKey<T> {
const LabeledGlobalKey(this._label) : super.constructor(); const LabeledGlobalKey(this._label) : super.constructor();
final String _label; final String _label;
String toString() => '[GlobalKey ${_label != null ? _label : hashCode}]'; String toString() => '[GlobalKey ${_label != null ? _label : hashCode}]';
...@@ -167,9 +177,14 @@ class LabeledGlobalKey extends GlobalKey { ...@@ -167,9 +177,14 @@ class LabeledGlobalKey extends GlobalKey {
class GlobalObjectKey extends GlobalKey { class GlobalObjectKey extends GlobalKey {
const GlobalObjectKey(this.value) : super.constructor(); const GlobalObjectKey(this.value) : super.constructor();
final Object value; final Object value;
String toString() => '[GlobalKey ${value.runtimeType}(${value.hashCode})]'; bool operator ==(dynamic other) {
bool operator==(other) => other is GlobalObjectKey && identical(other.value, value); if (other is! GlobalObjectKey)
return false;
final GlobalObjectKey typedOther = other;
return identical(value, typedOther.value);
}
int get hashCode => identityHashCode(value); int get hashCode => identityHashCode(value);
String toString() => '[GlobalKey ${value.runtimeType}(${value.hashCode})]';
} }
...@@ -233,7 +248,7 @@ abstract class LeafRenderObjectWidget extends RenderObjectWidget { ...@@ -233,7 +248,7 @@ abstract class LeafRenderObjectWidget extends RenderObjectWidget {
/// that have a single child slot. (This superclass only provides the storage /// that have a single child slot. (This superclass only provides the storage
/// for that child, it doesn't actually provide the updating logic.) /// for that child, it doesn't actually provide the updating logic.)
abstract class OneChildRenderObjectWidget extends RenderObjectWidget { abstract class OneChildRenderObjectWidget extends RenderObjectWidget {
const OneChildRenderObjectWidget({ Key key, Widget this.child }) : super(key: key); const OneChildRenderObjectWidget({ Key key, this.child }) : super(key: key);
final Widget child; final Widget child;
...@@ -245,7 +260,7 @@ abstract class OneChildRenderObjectWidget extends RenderObjectWidget { ...@@ -245,7 +260,7 @@ abstract class OneChildRenderObjectWidget extends RenderObjectWidget {
/// storage for that child list, it doesn't actually provide the updating /// storage for that child list, it doesn't actually provide the updating
/// logic.) /// logic.)
abstract class MultiChildRenderObjectWidget extends RenderObjectWidget { abstract class MultiChildRenderObjectWidget extends RenderObjectWidget {
const MultiChildRenderObjectWidget({ Key key, List<Widget> this.children }) const MultiChildRenderObjectWidget({ Key key, this.children })
: super(key: key); : super(key: key);
final List<Widget> children; final List<Widget> children;
...@@ -812,7 +827,7 @@ abstract class Element<T extends Widget> implements BuildContext { ...@@ -812,7 +827,7 @@ abstract class Element<T extends Widget> implements BuildContext {
} }
String toStringDeep([String prefixLineOne = '', String prefixOtherLines = '']) { String toStringDeep([String prefixLineOne = '', String prefixOtherLines = '']) {
String result = '${prefixLineOne}$this\n'; String result = '$prefixLineOne$this\n';
List<Element> children = <Element>[]; List<Element> children = <Element>[];
visitChildren((Element child) { visitChildren((Element child) {
children.add(child); children.add(child);
...@@ -1007,7 +1022,7 @@ abstract class ComponentElement<T extends Widget> extends BuildableElement<T> { ...@@ -1007,7 +1022,7 @@ abstract class ComponentElement<T extends Widget> extends BuildableElement<T> {
built = _builder(this); built = _builder(this);
assert(built != null); assert(built != null);
} catch (e, stack) { } catch (e, stack) {
_debugReportException('building ${_widget}', e, stack); _debugReportException('building $_widget', e, stack);
built = new ErrorWidget(); built = new ErrorWidget();
} finally { } finally {
// We delay marking the element as clean until after calling _builder so // We delay marking the element as clean until after calling _builder so
...@@ -1019,7 +1034,7 @@ abstract class ComponentElement<T extends Widget> extends BuildableElement<T> { ...@@ -1019,7 +1034,7 @@ abstract class ComponentElement<T extends Widget> extends BuildableElement<T> {
_child = updateChild(_child, built, slot); _child = updateChild(_child, built, slot);
assert(_child != null); assert(_child != null);
} catch (e, stack) { } catch (e, stack) {
_debugReportException('building ${_widget}', e, stack); _debugReportException('building $_widget', e, stack);
built = new ErrorWidget(); built = new ErrorWidget();
_child = updateChild(null, built, slot); _child = updateChild(null, built, slot);
} }
...@@ -1251,7 +1266,7 @@ abstract class RenderObjectElement<T extends RenderObjectWidget> extends Buildab ...@@ -1251,7 +1266,7 @@ abstract class RenderObjectElement<T extends RenderObjectWidget> extends Buildab
// dirty, e.g. if they have a builder callback. (Builder callbacks have a // dirty, e.g. if they have a builder callback. (Builder callbacks have a
// 'BuildContext' argument which you can pass to Theme.of() and other // 'BuildContext' argument which you can pass to Theme.of() and other
// InheritedWidget APIs which eventually trigger a rebuild.) // InheritedWidget APIs which eventually trigger a rebuild.)
print('${runtimeType} failed to implement reinvokeBuilders(), but got marked dirty'); print('$runtimeType failed to implement reinvokeBuilders(), but got marked dirty');
assert(() { assert(() {
'reinvokeBuilders() not implemented'; 'reinvokeBuilders() not implemented';
return false; return false;
...@@ -1297,9 +1312,6 @@ abstract class RenderObjectElement<T extends RenderObjectWidget> extends Buildab ...@@ -1297,9 +1312,6 @@ abstract class RenderObjectElement<T extends RenderObjectWidget> extends Buildab
// 6. Sync null with any items in the list of keys that are still // 6. Sync null with any items in the list of keys that are still
// mounted. // mounted.
final ContainerRenderObjectMixin renderObject = this.renderObject; // TODO(ianh): Remove this once the analyzer is cleverer
assert(renderObject is ContainerRenderObjectMixin);
int childrenTop = 0; int childrenTop = 0;
int newChildrenBottom = newWidgets.length - 1; int newChildrenBottom = newWidgets.length - 1;
int oldChildrenBottom = oldChildren.length - 1; int oldChildrenBottom = oldChildren.length - 1;
...@@ -1401,7 +1413,6 @@ abstract class RenderObjectElement<T extends RenderObjectWidget> extends Buildab ...@@ -1401,7 +1413,6 @@ abstract class RenderObjectElement<T extends RenderObjectWidget> extends Buildab
_deactivateChild(oldChild); _deactivateChild(oldChild);
} }
assert(renderObject == this.renderObject); // TODO(ianh): Remove this once the analyzer is cleverer
return newChildren; return newChildren;
} }
...@@ -1500,11 +1511,10 @@ class OneChildRenderObjectElement<T extends OneChildRenderObjectWidget> extends ...@@ -1500,11 +1511,10 @@ class OneChildRenderObjectElement<T extends OneChildRenderObjectWidget> extends
} }
void insertChildRenderObject(RenderObject child, dynamic slot) { void insertChildRenderObject(RenderObject child, dynamic slot) {
final renderObject = this.renderObject; // TODO(ianh): Remove this once the analyzer is cleverer final RenderObjectWithChildMixin renderObject = this.renderObject;
assert(renderObject is RenderObjectWithChildMixin);
assert(slot == null); assert(slot == null);
renderObject.child = child; renderObject.child = child;
assert(renderObject == this.renderObject); // TODO(ianh): Remove this once the analyzer is cleverer assert(renderObject == this.renderObject);
} }
void moveChildRenderObject(RenderObject child, dynamic slot) { void moveChildRenderObject(RenderObject child, dynamic slot) {
...@@ -1512,11 +1522,10 @@ class OneChildRenderObjectElement<T extends OneChildRenderObjectWidget> extends ...@@ -1512,11 +1522,10 @@ class OneChildRenderObjectElement<T extends OneChildRenderObjectWidget> extends
} }
void removeChildRenderObject(RenderObject child) { void removeChildRenderObject(RenderObject child) {
final renderObject = this.renderObject; // TODO(ianh): Remove this once the analyzer is cleverer final RenderObjectWithChildMixin renderObject = this.renderObject;
assert(renderObject is RenderObjectWithChildMixin);
assert(renderObject.child == child); assert(renderObject.child == child);
renderObject.child = null; renderObject.child = null;
assert(renderObject == this.renderObject); // TODO(ianh): Remove this once the analyzer is cleverer assert(renderObject == this.renderObject);
} }
} }
...@@ -1529,27 +1538,24 @@ class MultiChildRenderObjectElement<T extends MultiChildRenderObjectWidget> exte ...@@ -1529,27 +1538,24 @@ class MultiChildRenderObjectElement<T extends MultiChildRenderObjectWidget> exte
List<Element> _children; List<Element> _children;
void insertChildRenderObject(RenderObject child, Element slot) { void insertChildRenderObject(RenderObject child, Element slot) {
final renderObject = this.renderObject; // TODO(ianh): Remove this once the analyzer is cleverer final ContainerRenderObjectMixin renderObject = this.renderObject;
RenderObject nextSibling = slot?.renderObject; final RenderObject nextSibling = slot?.renderObject;
assert(renderObject is ContainerRenderObjectMixin);
renderObject.add(child, before: nextSibling); renderObject.add(child, before: nextSibling);
assert(renderObject == this.renderObject); // TODO(ianh): Remove this once the analyzer is cleverer assert(renderObject == this.renderObject);
} }
void moveChildRenderObject(RenderObject child, dynamic slot) { void moveChildRenderObject(RenderObject child, dynamic slot) {
final renderObject = this.renderObject; // TODO(ianh): Remove this once the analyzer is cleverer final ContainerRenderObjectMixin renderObject = this.renderObject;
RenderObject nextSibling = slot?.renderObject; final RenderObject nextSibling = slot?.renderObject;
assert(renderObject is ContainerRenderObjectMixin);
renderObject.move(child, before: nextSibling); renderObject.move(child, before: nextSibling);
assert(renderObject == this.renderObject); // TODO(ianh): Remove this once the analyzer is cleverer assert(renderObject == this.renderObject);
} }
void removeChildRenderObject(RenderObject child) { void removeChildRenderObject(RenderObject child) {
final renderObject = this.renderObject; // TODO(ianh): Remove this once the analyzer is cleverer final ContainerRenderObjectMixin renderObject = this.renderObject;
assert(renderObject is ContainerRenderObjectMixin);
assert(child.parent == renderObject); assert(child.parent == renderObject);
renderObject.remove(child); renderObject.remove(child);
assert(renderObject == this.renderObject); // TODO(ianh): Remove this once the analyzer is cleverer assert(renderObject == this.renderObject);
} }
bool _debugHasDuplicateIds() { bool _debugHasDuplicateIds() {
......
...@@ -56,7 +56,13 @@ class _ChildKey { ...@@ -56,7 +56,13 @@ class _ChildKey {
factory _ChildKey.fromWidget(Widget widget) => new _ChildKey(widget.runtimeType, widget.key); factory _ChildKey.fromWidget(Widget widget) => new _ChildKey(widget.runtimeType, widget.key);
final Type type; final Type type;
final Key key; final Key key;
bool operator ==(other) => other is _ChildKey && other.type == type && other.key == key; bool operator ==(dynamic other) {
if (other is! _ChildKey)
return false;
final _ChildKey typedOther = other;
return type == typedOther.type &&
key == typedOther.key;
}
int get hashCode => 373 * 37 * type.hashCode + key.hashCode; int get hashCode => 373 * 37 * type.hashCode + key.hashCode;
String toString() => "_ChildKey(type: $type, key: $key)"; String toString() => "_ChildKey(type: $type, key: $key)";
} }
...@@ -327,7 +333,7 @@ class _MixedViewportElement extends RenderObjectElement<MixedViewport> { ...@@ -327,7 +333,7 @@ class _MixedViewportElement extends RenderObjectElement<MixedViewport> {
double newExtent = _getElementExtent(element, innerConstraints); double newExtent = _getElementExtent(element, innerConstraints);
bool result = _childExtents[index] == newExtent; bool result = _childExtents[index] == newExtent;
if (!result) if (!result)
print("Element $element at index $index was size ${_childExtents[index]} but is now size ${newExtent} yet no invalidate() was received to that effect"); print("Element $element at index $index was size ${_childExtents[index]} but is now size $newExtent yet no invalidate() was received to that effect");
return result; return result;
} }
......
...@@ -511,7 +511,7 @@ abstract class ScrollableWidgetListState<T extends ScrollableWidgetList> extends ...@@ -511,7 +511,7 @@ abstract class ScrollableWidgetListState<T extends ScrollableWidgetList> extends
List<Widget> _buildItems(BuildContext context, int start, int count) { List<Widget> _buildItems(BuildContext context, int start, int count) {
List<Widget> result = buildItems(context, start, count); List<Widget> result = buildItems(context, start, count);
assert(result.every((item) => item.key != null)); assert(result.every((Widget item) => item.key != null));
return result; return result;
} }
...@@ -603,7 +603,7 @@ class PageableList<T> extends ScrollableList<T> { ...@@ -603,7 +603,7 @@ class PageableList<T> extends ScrollableList<T> {
final Curve curve; final Curve curve;
final PageChangedCallback onPageChanged; final PageChangedCallback onPageChanged;
PageableListState<T> createState() => new PageableListState(); PageableListState<T> createState() => new PageableListState<T>();
} }
class PageableListState<T> extends ScrollableListState<T, PageableList<T>> { class PageableListState<T> extends ScrollableListState<T, PageableList<T>> {
......
...@@ -44,12 +44,14 @@ class StatisticsOverlay extends LeafRenderObjectWidget { ...@@ -44,12 +44,14 @@ class StatisticsOverlay extends LeafRenderObjectWidget {
StatisticsOverlay({ this.optionsMask, this.rasterizerThreshold: 0, Key key }) : super(key: key); StatisticsOverlay({ this.optionsMask, this.rasterizerThreshold: 0, Key key }) : super(key: key);
/// Create a statistics overaly that displays all available statistics /// Create a statistics overaly that displays all available statistics
StatisticsOverlay.allEnabled({ Key key, this.rasterizerThreshold: 0 }) : super(key: key), optionsMask = ( StatisticsOverlay.allEnabled({ Key key, this.rasterizerThreshold: 0 })
1 << StatisticsOption.displayRasterizerStatistics.index | : optionsMask = (
1 << StatisticsOption.visualizeRasterizerStatistics.index | 1 << StatisticsOption.displayRasterizerStatistics.index |
1 << StatisticsOption.displayEngineStatistics.index | 1 << StatisticsOption.visualizeRasterizerStatistics.index |
1 << StatisticsOption.visualizeEngineStatistics.index 1 << StatisticsOption.displayEngineStatistics.index |
); 1 << StatisticsOption.visualizeEngineStatistics.index
),
super(key: key);
final int optionsMask; final int optionsMask;
......
...@@ -77,11 +77,17 @@ void main() { ...@@ -77,11 +77,17 @@ void main() {
// Check that the cursor visibility toggles after each blink interval. // Check that the cursor visibility toggles after each blink interval.
void checkCursorToggle() { void checkCursorToggle() {
bool initialShowCursor = editableText.test_showCursor; bool initialShowCursor = editableText.cursorCurrentlyVisible;
tester.async.elapse(editableText.test_cursorBlinkPeriod); tester.async.elapse(editableText.cursorBlinkInterval);
expect(editableText.test_showCursor, equals(!initialShowCursor)); expect(editableText.cursorCurrentlyVisible, equals(!initialShowCursor));
tester.async.elapse(editableText.test_cursorBlinkPeriod); tester.async.elapse(editableText.cursorBlinkInterval);
expect(editableText.test_showCursor, equals(initialShowCursor)); expect(editableText.cursorCurrentlyVisible, equals(initialShowCursor));
tester.async.elapse(editableText.cursorBlinkInterval ~/ 10);
expect(editableText.cursorCurrentlyVisible, equals(initialShowCursor));
tester.async.elapse(editableText.cursorBlinkInterval);
expect(editableText.cursorCurrentlyVisible, equals(!initialShowCursor));
tester.async.elapse(editableText.cursorBlinkInterval);
expect(editableText.cursorCurrentlyVisible, equals(initialShowCursor));
} }
checkCursorToggle(); checkCursorToggle();
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment