1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
|
> metamask-crx@0.0.0 test:mascara /Users/danmiller/kyokan/metamask/metamask-extension
> npm run test:mascara:build && karma start test/mascara.conf.js
> metamask-crx@0.0.0 test:mascara:build /Users/danmiller/kyokan/metamask/metamask-extension
> mkdir -p dist/mascara && npm run test:mascara:build:ui && npm run test:mascara:build:background && npm run test:mascara:build:tests
> metamask-crx@0.0.0 test:mascara:build:ui /Users/danmiller/kyokan/metamask/metamask-extension
> browserify mascara/test/test-ui.js -o dist/mascara/ui.js
> metamask-crx@0.0.0 test:mascara:build:background /Users/danmiller/kyokan/metamask/metamask-extension
> browserify mascara/src/background.js -o dist/mascara/background.js
> metamask-crx@0.0.0 test:mascara:build:tests /Users/danmiller/kyokan/metamask/metamask-extension
> browserify test/integration/lib/first-time.js -o dist/mascara/tests.js
[32m20 02 2018 15:29:25.773:INFO [karma]: [39mKarma v1.7.1 server started at http://0.0.0.0:9876/
[32m20 02 2018 15:29:25.776:INFO [launcher]: [39mLaunching browser Chrome with concurrency 1
[32m20 02 2018 15:29:25.822:INFO [launcher]: [39mStarting browser Chrome
[32m20 02 2018 15:29:31.117:INFO [Chrome 64.0.3282 (Mac OS X 10.12.6)]: [39mConnected on socket xl57FfHdT0vJ5kbQAAAA with id 3100832
Chrome 64.0.3282 (Mac OS X 10.12.6) WARN: 'Warning: Accessing PropTypes via the main React package is deprecated, and will be removed in React v16.0. Use the latest available v15.* prop-types package from npm instead. For info on usage, compatibility, migration and more, see https://fb.me/prop-types-docs'
Chrome 64.0.3282 (Mac OS X 10.12.6) WARN: 'Warning: Accessing createClass via the main React package is deprecated, and will be removed in React v16.0. Use a plain JavaScript class instead. If you're not yet ready to migrate, create-react-class v15.* is available on npm as a temporary, drop-in replacement. For more info see https://fb.me/react-create-class'
[1A[2KChrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got @@redux/INIT'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.setNetworkEndpoints'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: false, seedWords: '', noActiveNotices: false, address: undefined, forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'create_password'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'hello from MetaMascara ui!'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'hello from cb ready event!'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_NETWORK_ENDPOINT_TYPE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_NETWORK_ENDPOINT_TYPE', value: 'network'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'No more notices...'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: false, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: false, keyringTypes: [..., ...], keyrings: [], identities: Object{}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{}, addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: false, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: false, keyringTypes: [..., ...], keyrings: [], identities: Object{}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{}, addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: false, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: false, keyringTypes: [..., ...], keyrings: [], identities: Object{}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{}, addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: false, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: false, keyringTypes: [..., ...], keyrings: [], identities: Object{}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{}, addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: false, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: false, keyringTypes: [..., ...], keyrings: [], identities: Object{}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{}, addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SHOW_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: false}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SHOW_LOADING_INDICATION', value: undefined}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: false, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.createNewVaultAndKeychain'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SET_MOUSE_USER_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: false, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SET_MOUSE_USER_STATE', value: true}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: false, seedWords: '', noActiveNotices: false, address: undefined, forgottenPassword: undefined, isLoading: true, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'create_password'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', true
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.placeSeedWords'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got HIDE_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: false, seedWords: '', noActiveNotices: false, address: undefined, forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'create_password'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'HIDE_LOADING_INDICATION'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.getState'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: false, seedWords: '', noActiveNotices: false, address: undefined, forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'unique_image'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SHOW_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: false, isUnlocked: false, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: []}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: true, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: true, keyringTypes: [..., ...], keyrings: [...], identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{}, selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SHOW_LOADING_INDICATION', value: undefined}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: true, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'unique_image'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', true
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got HIDE_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'unique_image'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'HIDE_LOADING_INDICATION'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_FEATURE_FLAGS'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SHOW_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_FEATURE_FLAGS', value: Object{betaUI: true}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SHOW_LOADING_INDICATION', value: undefined}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: true, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'unique_image'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', true
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.setNetworkEndpoints'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got HIDE_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'unique_image'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'HIDE_LOADING_INDICATION'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_FEATURE_FLAGS'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_FEATURE_FLAGS', value: Object{betaUI: true}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.setNetworkEndpoints'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_NETWORK_ENDPOINT_TYPE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'network', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_NETWORK_ENDPOINT_TYPE', value: 'networkBeta'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_NETWORK_ENDPOINT_TYPE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_NETWORK_ENDPOINT_TYPE', value: 'networkBeta'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SET_MOUSE_USER_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SET_MOUSE_USER_STATE', value: true}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'notice'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'document.body', <body>
<!-- The scripts need to be in the body DOM element, as some test running frameworks need the body
to have already been created so they can insert their magic into it. For example, if loaded
before body, Angular Scenario test framework fails to find the body and crashes and burns in
an epic manner. -->
<script src="context.js"></script>
<script type="text/javascript">
// Configure our Karma and set up bindings
window.__karma__.config = {"args":[],"useIframe":true,"runInParent":false,"captureConsole":true,"clearContext":true};
window.__karma__.setupContext(window);
// All served files with the latest timestamps
window.__karma__.files = {
'/base/node_modules/qunitjs/qunit/qunit.js': 'fca9a0ac0c00fe782af607f1058a7bf250e4eb89',
'/base/node_modules/karma-qunit/lib/adapter.js': '0932caacc3ac2a0121166f2adaa7d4da20d06400',
'/base/test/integration/jquery-3.1.0.min.js': 'c72c1735b4d903d90dd51225ebefb8c74ebbc51f',
'/base/dist/chrome/images/camera.svg': 'aea3fe0702ee785c3803e9f91c221363b5f8a48f',
'/base/dist/chrome/images/caret-right.svg': '2f6845dcf10e45b37eac6bbb0e5010b2dec844b8',
'/base/dist/chrome/images/check-white.svg': '641f01710954a0fdc66bb9210e9900352fd42e0a',
'/base/dist/chrome/images/coinbase logo.png': '7be6d292c58ad6780673b510ff48e50f8da41063',
'/base/dist/chrome/images/contract/1st.svg': '3c91b56563c4b78953527b413e01583e48c6131a',
'/base/dist/chrome/images/contract/BAT_icon.svg': 'a4f060dc999f740c1f7ac0ef0c6969968609951d',
'/base/dist/chrome/images/contract/CanYa.svg': '197f9ccd8d02f3b643497d5a5ad95d4637ec163a',
'/base/dist/chrome/images/contract/CryptoKitties-Kitty-13733.svg': '59c029f1768f1e58227b61a5b82932a8505577d2',
'/base/dist/chrome/images/contract/DGD.png': 'ec9abe3af51e0065dd975d54c31099571b5c7c6b',
'/base/dist/chrome/images/contract/Dentacoin.png': 'ea80e802aca945ba40dbb25b18b17419b4caea4d',
'/base/dist/chrome/images/contract/JETCOIN28.png': '3d0092ee99da1483f456f42435aa544c07754ca8',
'/base/dist/chrome/images/contract/MLNSymbol.png': '6a7e71568154f2a7173b6e8540e5d2672bb53eaf',
'/base/dist/chrome/images/contract/Maecenas.jpg': 'e50d833952ae4b30fb67d0e8912cd019475875c4',
'/base/dist/chrome/images/contract/XSC Logo.svg': 'e6b6d74d3bb3a75faecf2d35c2ad20a9b498266d',
'/base/dist/chrome/images/contract/appcoins.png': '3d37e890a7ffdad88f1f2e1b2510e544c224c9a8',
'/base/dist/chrome/images/contract/aragon_isotype.svg': 'e2a4e1a1d56eeb4cffa40941d9be5afb077fbd2a',
'/base/dist/chrome/images/contract/augur_logo.png': '22fbeeb59d0a4cbcec3ca93a4fe2d076c351cef4',
'/base/dist/chrome/images/contract/bancor.png': 'fb174770d397ec0de74bd85dff3a7f9b30467974',
'/base/dist/chrome/images/contract/bcap.svg': '197e81f2c63f7831ca683b3293c686e6689ff65c',
'/base/dist/chrome/images/contract/bcpt.svg': 'c100185d88cfaa363395ea3483161eaa44491d74',
'/base/dist/chrome/images/contract/bitclave.svg': '697d84fd1e4936237f47672ca4b4ca1b25b5ae29',
'/base/dist/chrome/images/contract/change.png': '02da9ccb0c22b2e051fa8d3f352f90c5150e9a2e',
'/base/dist/chrome/images/contract/chronobank.png': '2c503ecee398b7330ab3746e08f2217c5a659d04',
'/base/dist/chrome/images/contract/divi.svg': 'afa96e12ad1f69e947b7f29ec8afb28a7035be99',
'/base/dist/chrome/images/contract/ego_badge.png': 'e06b227bff7a1812017bfa0f7bf7c2e177c71b66',
'/base/dist/chrome/images/contract/ens.svg': '9aa5e2d304b4b379fe549c6e7cbf5cdc2c0beba8',
'/base/dist/chrome/images/contract/eos-logo.jpeg': '9f817382767827802791e83bfe7ec706597b8af2',
'/base/dist/chrome/images/contract/gee-icon.svg': '2bd4f022d7acfbe4100f5f8c8e8cd57f626571b4',
'/base/dist/chrome/images/contract/gnosis.svg': '45d9b68d255d9b88316cee5ccabd7efbe64410d5',
'/base/dist/chrome/images/contract/goldx.png': '3188c4d29dbe85ada01924ec267481fedb64bd6c',
'/base/dist/chrome/images/contract/golem.svg': 'bc4433ce5444f91192a262f6b1aa40455221f972',
'/base/dist/chrome/images/contract/guppy.png': '5008b02e1f33809499ded7882803cfe70236302a',
'/base/dist/chrome/images/contract/hg_gbt.png': '761c8ccd865cdc3f9259264c8c02a0e198bbdf6f',
'/base/dist/chrome/images/contract/hgt.png': '3b7e6a762695a2ae61113cadfa9d83f3982b02ad',
'/base/dist/chrome/images/contract/iconomi.png': 'a46371bfa658e6e983f32100f0f162d58c297c05',
'/base/dist/chrome/images/contract/indorseLogo.jpg': '54335760d34e6c83d288749177ab3a6117d46204',
'/base/dist/chrome/images/contract/logo-maker-4.svg': '2fbeea68ac720c18c9d170109f123a10efb68fd6',
'/base/dist/chrome/images/contract/lun.png': '88769688962f0d74c8ac19afe1f07ac3f951a886',
'/base/dist/chrome/images/contract/metamark.svg': '1e1be857d5131237efefa5f94d0b7da49ffdca98',
'/base/dist/chrome/images/contract/modum.svg': '689d6f7deabe079ee27a82975400ca592fb092a2',
'/base/dist/chrome/images/contract/ndc.png': 'a90b51de0d5e852db458f83d78319c15f00a2718',
'/base/dist/chrome/images/contract/playkey.svg': 'c4736351931b9d118325b1ea0765d340af86201d',
'/base/dist/chrome/images/contract/plutus-god.svg': '5d7759271f1811b60327db016a6278cd4888b70d',
'/base/dist/chrome/images/contract/qtum_28.png': '7bfd91a8dec20e79c7b6ec98f35fe145258c7636',
'/base/dist/chrome/images/contract/rfr.svg': '568fa7b5ff29859bc71d65eba01a26c59a8cd773',
'/base/dist/chrome/images/contract/rivetz.png': 'ed7cf4cb1458e78fc72474bbd0037efaa7035c89',
'/base/dist/chrome/images/contract/rlc.png': '60420bc1decf5fb8b324e0e56bf50e7f6387a68a',
'/base/dist/chrome/images/contract/singulardtv.svg': 'ac1c3a3191d2d609f04cf5ae9d4fbfbb73733699',
'/base/dist/chrome/images/contract/spectiv.svg': 'd7cd6e64fdee249b1669fa0e1a617da40ff9a13b',
'/base/dist/chrome/images/contract/swt.jpg': 'c2983ed76ff48b82da02f24d92230c8efee238f5',
'/base/dist/chrome/images/contract/taas-ico.png': 'dd230cda1cba300cb9c704fd4af8048346adaee0',
'/base/dist/chrome/images/contract/tkn.svg': 'bdce27ba259ee715b0853ea22c22a149d47ec8c7',
'/base/dist/chrome/images/contract/too-real.jpg': '84b6c663a45e94996c40d4f4e13afbe9a465b6c3',
'/base/dist/chrome/images/contract/tpt.png': 'd0a269ab4a1ad822304ed5d636698ce8d91c1c0c',
'/base/dist/chrome/images/contract/wings_logo.svg': '63f0af8e50b5f9a5b710d5ce331b91fec7e51b28',
'/base/dist/chrome/images/contract/wyvern-logo.svg': '83043e5b32b6da36a8767646487d783f56352616',
'/base/dist/chrome/images/contract/xaurum_logo.svg': '0d195b4e249dae1333c39a72cc8b84d8fd313870',
'/base/dist/chrome/images/copy.svg': '58a8c861415eba969910fa904ca10c5aa0c2e3c1',
'/base/dist/chrome/images/download.svg': 'e8f5586e81294d128c0762a955244c913fc4d73c',
'/base/dist/chrome/images/eth_logo.svg': 'a6664ec6593c91ae7bb93544482c99de8d5563a5',
'/base/dist/chrome/images/forward-carrat.svg': '37f746f6d2971f3f8234e3017d4208d393704189',
'/base/dist/chrome/images/help.svg': 'ab3eb9d86fe2c10755c961eaeb80858958c1779d',
'/base/dist/chrome/images/icon-128.png': '662efb263a6fa76b6bb31339836d90b44e0c0d2d',
'/base/dist/chrome/images/icon-16.png': 'd60ad50e7efa6e4cc9a06808a452c058dcc7add4',
'/base/dist/chrome/images/icon-19.png': 'eaec59e40776ab34ad5ff714274ca1ad994ad25d',
'/base/dist/chrome/images/icon-32.png': '26b13fc7d97334c871a25455627caa0cad8652d5',
'/base/dist/chrome/images/icon-38.png': '96ce5cc9b7dcac1a08cc758588b7bfdcb53556ab',
'/base/dist/chrome/images/icon-512.png': 'd8d32493653f206cb563a6b45bb637e319e9ad20',
'/base/dist/chrome/images/icon-64.png': 'efc74ddc4abc89a1e4a0fd19def49bfd5499b19c',
'/base/dist/chrome/images/import-account.svg': 'e8a535d4f29890067b589ab97ef23f8690f011ff',
'/base/dist/chrome/images/info-logo.png': '121b5a7992011658b1d86eecc797e7c2550fb6a9',
'/base/dist/chrome/images/key-32.png': '26bd05f2dfc5b55c4273f27e5bc555a1c51e0176',
'/base/dist/chrome/images/loading.svg': '4c8d643fb117b3e51eaa80cc18ab6dd272e6a018',
'/base/dist/chrome/images/lock.svg': 'f13082021e5eab0e2b3cf21d011bb2b9978f4389',
'/base/dist/chrome/images/metamask-fox.svg': '4a073b2cf87db09799464a2ee36a241a1a01b3c2',
'/base/dist/chrome/images/mm-bolt.svg': '18675cdd231aa8c69b09b02eb32e355fbf65784e',
'/base/dist/chrome/images/mm-info-icon.svg': '683cbab12683da5332caa2ee9432c6373aa7d82a',
'/base/dist/chrome/images/open.svg': 'a9ca666b9d0221deb5bda8fbabcdff3070df47ec',
'/base/dist/chrome/images/plus-btn-white.svg': 'eb835240b5dc251cf95d59e34f682e6aba05207c',
'/base/dist/chrome/images/popout.svg': '5e38580068461a520b0c961a120877b923b403d4',
'/base/dist/chrome/images/qr.svg': 'bbe790913a34493cc5aadcf5ebb5e5759454a893',
'/base/dist/chrome/images/settings.svg': '12cd795f357573ef7847f4c8a1f1001e4be469f9',
'/base/dist/chrome/images/shapeshift logo.png': '109e3fcfd4a25704a16a6445deb7dadb8fb25f44',
'/base/dist/chrome/images/switch_acc.svg': '1f5d625fdcc1ab4259a90fb1a596be7386236701',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Bold.otf': '6a77ba783da6ad8ee7a06a64bbd7dace9a5fabc1',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Regular.otf': 'ecc9ff92c8277352bc96aaa4f4764067343a531d',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Black.otf': 'bb9167a8352a73684f0cdb874d57d347c29bfb5c',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Italic.otf': 'ac6debc3b8afdcc5334080e8a521dc9175fecda9',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Light.otf': '405e0c4fe4c9eedb536861736c6e5ba0d73146a3',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Medium.otf': '586d5a2112b92d0c3ff36efe4b4d734069d0c1fd',
'/base/dist/chrome/fonts/DIN_OT/DINOT-2.otf': 'aa3ec55d6ccf78e81266bad81f900b08667b440d',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Bold 2.otf': 'e89df16966e287409ed8c042ad7d415b6269f178',
'/base/dist/chrome/fonts/DIN_OT/DINOT-BoldItalic.otf': 'a5bf296e3703d2fcd9305289e226e1adf323e4e8',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Italic 2.otf': '22a956f13c50eb7218ceb7822e293768ca84cc2f',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Medium 2.otf': 'eaafef7e2f3aa6756e13209988c71310620109dc',
'/base/dist/chrome/fonts/DIN_OT/DINOT-MediumItalic 2.otf': '6cd2990f33b8d47f5e8a31aaa8088956e7ea41da',
'/base/dist/chrome/fonts/Lato/Lato-Black.ttf': '573229cbc4622190a38adff3d906e0c1466802bd',
'/base/dist/chrome/fonts/Lato/Lato-BlackItalic.ttf': 'ce2095485c0274ed904e096b80448bc48f56c3bd',
'/base/dist/chrome/fonts/Lato/Lato-Bold.ttf': 'c330d59f3e64e07a2571c2ba4f4109b20a168f69',
'/base/dist/chrome/fonts/Lato/Lato-BoldItalic.ttf': '2007f546660221940e9dc6b9a3cae9b72fbe17af',
'/base/dist/chrome/fonts/Lato/Lato-Hairline.ttf': 'fa540e486ce62d6883201b0a545c4facf2511253',
'/base/dist/chrome/fonts/Lato/Lato-HairlineItalic.ttf': '4e75ebff548ef432bc417e8686d52ffb7c9cbe35',
'/base/dist/chrome/fonts/Lato/Lato-Italic.ttf': 'e4cea8035a258a869a6139fbf74e6d0c247bd49b',
'/base/dist/chrome/fonts/Lato/Lato-Light.ttf': '6eb95108fef81bd8cfbf7e20d4ca0634e5989019',
'/base/dist/chrome/fonts/Lato/Lato-LightItalic.ttf': '584f340776412f77f04de06ee04348ef823d5097',
'/base/dist/chrome/fonts/Lato/Lato-Regular.ttf': '127f241871a9fe42cd8d073a0835410f3824d57c',
'/base/dist/chrome/fonts/Lato/OFL.txt': 'dced1a41948e9968f9026cbc7ddabbf88e65423b',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.ttf': 'bf257f6f91f6522eccea6d4f28d57bb118c98729',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.woff': '94680ffdc29df984dd3effef0f5ac9a5be0fb81e',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.ttf': '7110c2daf5721fa5de10d9e98b492b0721343c56',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.woff': 'b905af2e22459d1763deb45bbabf9cb5e62842d8',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.ttf': '9ca420aa453eb243037970c0c1c1adfe289f510f',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.woff': '2fe29740deb363cb82e191a35abe80613a33f25a',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.ttf': '358a8b149974050dc0e16806387c1faec6c9d9db',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.woff': 'efd91310fbc04375d5133d340e2661dc5a512703',
'/base/dist/chrome/fonts/Montserrat/OFL.txt': 'eb0a40063182521fc42cecf8ffcd6a05a74023b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Black.ttf': '14701060227dbc4a4ec9901970e8a58bb136efd9',
'/base/dist/chrome/fonts/Roboto/Roboto-BlackItalic.ttf': '3009f8bc7f3aa84fd483469422442cc3789e0579',
'/base/dist/chrome/fonts/Roboto/Roboto-Bold.ttf': '6cbb57ba2355cf442e06899898ff5af55867103e',
'/base/dist/chrome/fonts/Roboto/Roboto-BoldItalic.ttf': 'cd6a28033099099036e2a2182c9c4475394deaad',
'/base/dist/chrome/fonts/Roboto/Roboto-Italic.ttf': '4c4faf7a3fae4d0b1474561f0080995d358861ac',
'/base/dist/chrome/fonts/Roboto/Roboto-Light.ttf': '191dda7a5142990cd980727d43b27e4802f0b321',
'/base/dist/chrome/fonts/Roboto/Roboto-LightItalic.ttf': '693445f41eaa750b789a77568f9d6d995e85e0b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Medium.ttf': 'adbc3bde424bcf7dbc38f148005c8319825891f2',
'/base/dist/chrome/fonts/Roboto/Roboto-MediumItalic.ttf': '75feb92a7fc61d00e8ca610a700344738ef5ae32',
'/base/dist/chrome/fonts/Roboto/Roboto-Regular.ttf': '1d1d41fcadc571decb6444211b7993b99ce926e2',
'/base/dist/chrome/fonts/Roboto/Roboto-Thin.ttf': 'f71ccd563f95ccc187cf4fe81287445e91f7121b',
'/base/dist/chrome/fonts/Roboto/Roboto-ThinItalic.ttf': 'e3fb2b2a0dc2daf84d79cfff4b345a2afac132bc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Bold.ttf': 'c348d9f1b95e103ac2d14d56682867368f385b1a',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-BoldItalic.ttf': '3bd9f2b8c65c4dd80f535b9ddd937784e0d71ce6',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Italic.ttf': '394439fa97f36bba80f061e32e46ead1650e798e',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Light.ttf': 'df222c27b5e41dc89ca76a4479c9dd3ae6c1acbc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-LightItalic.ttf': 'd974583f3217141e4fc04bf94c3c6f94d9f56f8f',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Regular.ttf': 'c722696501a8663d64208d754e4db8165d3936f6',
'/base/dist/mascara/ui.js': 'd0d629760d831fc76c8f3da53d8b76ae7bbde713',
'/base/dist/mascara/tests.js': 'fc42b0e335d55a01717f52e0baa685ec6457f512',
'/base/dist/mascara/background.js': 'b0ca60cd30e87210367273689695d8581e5c7464'
};
</script>
<!-- Dynamically replaced with <script> tags -->
<script type="text/javascript" src="/base/node_modules/qunitjs/qunit/qunit.js?fca9a0ac0c00fe782af607f1058a7bf250e4eb89" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/node_modules/karma-qunit/lib/adapter.js?0932caacc3ac2a0121166f2adaa7d4da20d06400" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/test/integration/jquery-3.1.0.min.js?c72c1735b4d903d90dd51225ebefb8c74ebbc51f" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/ui.js?d0d629760d831fc76c8f3da53d8b76ae7bbde713" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/tests.js?fc42b0e335d55a01717f52e0baa685ec6457f512" crossorigin="anonymous"></script>
<script type="text/javascript">
window.__karma__.loaded();
</script>
<div id="app-content"><div data-reactroot="" class="flex-column full-height mouse-user-styles" tabindex="0" style="overflow-x: hidden; position: relative; align-items: center;"><!-- react-empty: 2 --><div><style>
.sidebar-enter {
transition: transform 300ms ease-in-out;
transform: translateX(-100%);
}
.sidebar-enter.sidebar-enter-active {
transition: transform 300ms ease-in-out;
transform: translateX(0%);
}
.sidebar-leave {
transition: transform 200ms ease-out;
transform: translateX(0%);
}
.sidebar-leave.sidebar-leave-active {
transition: transform 200ms ease-out;
transform: translateX(-100%);
}
</style><span></span></div><div class=".menu-droppo-container network-droppo" style="position: absolute; top: 58px; min-width: 309px; z-index: 55;"><style>
.menu-droppo-enter {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
.menu-droppo-enter.menu-droppo-enter-active {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave.menu-droppo-leave-active {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
</style></div><noscript></noscript><div class="first-time-flow"><div class="tou"><div class=" identicon" style="display: flex; align-items: center; justify-content: center; height: 70px; width: 70px; border-radius: 35px; overflow: hidden;"><div style="border-radius: 50px; overflow: hidden; padding: 0px; margin: 0px; width: 70px; height: 70px; display: inline-block;"><svg height="100" version="1.1" width="100" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" style="overflow: hidden; position: relative;"><desc style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);">Created with Raphaƫl 2.2.0</desc><defs style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></defs><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#fb1845" stroke="none" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#f2ba02" stroke="none" transform="matrix(0.6538,0.7567,-0.7567,0.6538,32.5576,-23.7897)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#234fe1" stroke="none" transform="matrix(-0.9314,0.3639,-0.3639,-0.9314,67.0881,78.5589)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#c81438" stroke="none" transform="matrix(0.2296,-0.9733,0.9733,0.2296,3.2302,6.5324)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect></svg></div></div><div class="tou__title">Privacy Notice</div><div class="tou__body markdown"><p><!-- react-text: 97 -->MetaMask is beta software. <!-- /react-text --></p><p><!-- react-text: 99 -->When you log in to MetaMask, your current account is visible to every new site you visit.<!-- /react-text --></p><p><!-- react-text: 101 -->For your privacy, for now, please sign out of MetaMask when you're done using a site.<!-- /react-text --></p></div><button class="first-time-flow__button" disabled="">Accept</button><div class="breadcrumbs"><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(216, 216, 216);"></div></div></div></div></div></div><div id="qunit-fixture" style="position: absolute; left: -10000px; top: -10000px; width: 1000px; height: 1000px;"></div></body>
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: true, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: true, keyringTypes: [..., ...], keyrings: [...], identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{betaUI: ...}, selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SHOW_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SHOW_LOADING_INDICATION', value: undefined}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.markNoticeRead'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SET_MOUSE_USER_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SET_MOUSE_USER_STATE', value: true}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: true, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'notice'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', true
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got HIDE_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'notice'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'HIDE_LOADING_INDICATION'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SHOW_NOTICE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SHOW_NOTICE', value: Object{read: false, date: 'Thu Feb 09 2017', title: 'Terms of Use', body: '# Terms of Use #
**THIS AGREEMENT IS SUBJECT TO BINDING ARBITRATION AND A WAIVER OF CLASS ACTION RIGHTS AS DETAILED IN SECTION 13. PLEASE READ THE AGREEMENT CAREFULLY.**
_Our Terms of Use have been updated as of September 5, 2016_
## 1. Acceptance of Terms ##
MetaMask provides a platform for managing Ethereum (or "ETH") accounts, and allowing ordinary websites to interact with the Ethereum blockchain, while keeping the user in control over what transactions they approve, through our website located at[ ](http://metamask.io)[https://metamask.io/](https://metamask.io/) and browser plugin (the "Site") ā which includes text, images, audio, code and other materials (collectively, the āContentā) and all of the features, and services provided. The Site, and any other features, tools, materials, or other services offered from time to time by MetaMask are referred to here as the āService.ā Please read these Terms of Use (the āTermsā or āTerms of Useā) carefully before using the Service. By using or otherwise accessing the Services, or clicking to accept or agree to these Terms where that option is made available, you (1) accept and agree to these Terms (2) consent to the collection, use, disclosure and other handling of information as described in our Privacy Policy and (3) any additional terms, rules and conditions of participation issued by MetaMask from time to time. If you do not agree to the Terms, then you may not access or use the Content or Services.
## 2. Modification of Terms of Use ##
Except for Section 13, providing for binding arbitration and waiver of class action rights, MetaMask reserves the right, at its sole discretion, to modify or replace the Terms of Use at any time. The most current version of these Terms will be posted on our Site. You shall be responsible for reviewing and becoming familiar with any such modifications. Use of the Services by you after any modification to the Terms constitutes your acceptance of the Terms of Use as modified.
## 3. Eligibility ##
You hereby represent and warrant that you are fully able and competent to enter into the terms, conditions, obligations, affirmations, representations and warranties set forth in these Terms and to abide by and comply with these Terms.
MetaMask is a global platform and by accessing the Content or Services, you are representing and warranting that, you are of the legal age of majority in your jurisdiction as is required to access such Services and Content and enter into arrangements as provided by the Service. You further represent that you are otherwise legally permitted to use the service in your jurisdiction including owning cryptographic tokens of value, and interacting with the Services or Content in any way. You further represent you are responsible for ensuring compliance with the laws of your jurisdiction and acknowledge that MetaMask is not liable for your compliance with such laws.
## 4 Account Password and Security ##
When setting up an account within MetaMask, you will be responsible for keeping your own account secrets, which may be a twelve-word seed phrase, an account file, or other locally stored secret information. MetaMask encrypts this information locally with a password you provide, that we never send to our servers. You agree to (a) never use the same password for MetaMask that you have ever used outside of this service; (b) keep your secret information and password confidential and do not share them with anyone else; (c) immediately notify MetaMask of any unauthorized use of your account or breach of security. MetaMask cannot and will not be liable for any loss or damage arising from your failure to comply with this section.
## 5. Representations, Warranties, and Risks ##
### 5.1. Warranty Disclaimer ###
You expressly understand and agree that your use of the Service is at your sole risk. The Service (including the Service and the Content) are provided on an "AS IS" and "as available" basis, without warranties of any kind, either express or implied, including, without limitation, implied warranties of merchantability, fitness for a particular purpose or non-infringement. You acknowledge that MetaMask has no control over, and no duty to take any action regarding: which users gain access to or use the Service; what effects the Content may have on you; how you may interpret or use the Content; or what actions you may take as a result of having been exposed to the Content. You release MetaMask from all liability for you having acquired or not acquired Content through the Service. MetaMask makes no representations concerning any Content contained in or accessed through the Service, and MetaMask will not be responsible or liable for the accuracy, copyright compliance, legality or decency of material contained in or accessed through the Service.
### 5.2 Sophistication and Risk of Cryptographic Systems ###
By utilizing the Service or interacting with the Content or platform in any way, you represent that you understand the inherent risks associated with cryptographic systems; and warrant that you have an understanding of the usage and intricacies of native cryptographic tokens, like Ether (ETH) and Bitcoin (BTC), smart contract based tokens such as those that follow the Ethereum Token Standard (https://github.com/ethereum/EIPs/issues/20), and blockchain-based software systems.
### 5.3 Risk of Regulatory Actions in One or More Jurisdictions ###
MetaMask and ETH could be impacted by one or more regulatory inquiries or regulatory action, which could impede or limit the ability of MetaMask to continue to develop, or which could impede or limit your ability to access or use the Service or Ethereum blockchain.
### 5.4 Risk of Weaknesses or Exploits in the Field of Cryptography ###
You acknowledge and understand that Cryptography is a progressing field. Advances in code cracking or technical advances such as the development of quantum computers may present risks to cryptocurrencies and Services of Content, which could result in the theft or loss of your cryptographic tokens or property. To the extent possible, MetaMask intends to update the protocol underlying Services to account for any advances in cryptography and to incorporate additional security measures, but does not guarantee or otherwise represent full security of the system. By using the Service or accessing Content, you acknowledge these inherent risks.
### 5.5 Volatility of Crypto Currencies ###
You understand that Ethereum and other blockchain technologies and associated currencies or tokens are highly volatile due to many factors including but not limited to adoption, speculation, technology and security risks. You also acknowledge that the cost of transacting on such technologies is variable and may increase at any time causing impact to any activities taking place on the Ethereum blockchain. You acknowledge these risks and represent that MetaMask cannot be held liable for such fluctuations or increased costs.
### 5.6 Application Security ###
You acknowledge that Ethereum applications are code subject to flaws and acknowledge that you are solely responsible for evaluating any code provided by the Services or Content and the trustworthiness of any third-party websites, products, smart-contracts, or Content you access or use through the Service. You further expressly acknowledge and represent that Ethereum applications can be written maliciously or negligently, that MetaMask cannot be held liable for your interaction with such applications and that such applications may cause the loss of property or even identity. This warning and others later provided by MetaMask in no way evidence or represent an on-going duty to alert you to all of the potential risks of utilizing the Service or Content.
## 6. Indemnity ##
You agree to release and to indemnify, defend and hold harmless MetaMask and its parents, subsidiaries, affiliates and agencies, as well as the officers, directors, employees, shareholders and representatives of any of the foregoing entities, from and against any and all losses, liabilities, expenses, damages, costs (including attorneysā fees and court costs) claims or actions of any kind whatsoever arising or resulting from your use of the Service, your violation of these Terms of Use, and any of your acts or omissions that implicate publicity rights, defamation or invasion of privacy. MetaMask reserves the right, at its own expense, to assume exclusive defense and control of any matter otherwise subject to indemnification by you and, in such case, you agree to cooperate with MetaMask in the defense of such matter.
## 7. Limitation on liability ##
YOU ACKNOWLEDGE AND AGREE THAT YOU ASSUME FULL RESPONSIBILITY FOR YOUR USE OF THE SITE AND SERVICE. YOU ACKNOWLEDGE AND AGREE THAT ANY INFORMATION YOU SEND OR RECEIVE DURING YOUR USE OF THE SITE AND SERVICE MAY NOT BE SECURE AND MAY BE INTERCEPTED OR LATER ACQUIRED BY UNAUTHORIZED PARTIES. YOU ACKNOWLEDGE AND AGREE THAT YOUR USE OF THE SITE AND SERVICE IS AT YOUR OWN RISK. RECOGNIZING SUCH, YOU UNDERSTAND AND AGREE THAT, TO THE FULLEST EXTENT PERMITTED BY APPLICABLE LAW, NEITHER METAMASK NOR ITS SUPPLIERS OR LICENSORS WILL BE LIABLE TO YOU FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, CONSEQUENTIAL, PUNITIVE, EXEMPLARY OR OTHER DAMAGES OF ANY KIND, INCLUDING WITHOUT LIMITATION DAMAGES FOR LOSS OF PROFITS, GOODWILL, USE, DATA OR OTHER TANGIBLE OR INTANGIBLE LOSSES OR ANY OTHER DAMAGES BASED ON CONTRACT, TORT, STRICT LIABILITY OR ANY OTHER THEORY (EVEN IF METAMASK HAD BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES), RESULTING FROM THE SITE OR SERVICE; THE USE OR THE INABILITY TO USE THE SITE OR SERVICE; UNAUTHORIZED ACCESS TO OR ALTERATION OF YOUR TRANSMISSIONS OR DATA; STATEMENTS OR CONDUCT OF ANY THIRD PARTY ON THE SITE OR SERVICE; ANY ACTIONS WE TAKE OR FAIL TO TAKE AS A RESULT OF COMMUNICATIONS YOU SEND TO US; HUMAN ERRORS; TECHNICAL MALFUNCTIONS; FAILURES, INCLUDING PUBLIC UTILITY OR TELEPHONE OUTAGES; OMISSIONS, INTERRUPTIONS, LATENCY, DELETIONS OR DEFECTS OF ANY DEVICE OR NETWORK, PROVIDERS, OR SOFTWARE (INCLUDING, BUT NOT LIMITED TO, THOSE THAT DO NOT PERMIT PARTICIPATION IN THE SERVICE); ANY INJURY OR DAMAGE TO COMPUTER EQUIPMENT; INABILITY TO FULLY ACCESS THE SITE OR SERVICE OR ANY OTHER WEBSITE; THEFT, TAMPERING, DESTRUCTION, OR UNAUTHORIZED ACCESS TO, IMAGES OR OTHER CONTENT OF ANY KIND; DATA THAT IS PROCESSED LATE OR INCORRECTLY OR IS INCOMPLETE OR LOST; TYPOGRAPHICAL, PRINTING OR OTHER ERRORS, OR ANY COMBINATION THEREOF; OR ANY OTHER MATTER RELATING TO THE SITE OR SERVICE.
SOME JURISDICTIONS DO NOT ALLOW THE EXCLUSION OF CERTAIN WARRANTIES OR THE LIMITATION OR EXCLUSION OF LIABILITY FOR INCIDENTAL OR CONSEQUENTIAL DAMAGES. ACCORDINGLY, SOME OF THE ABOVE LIMITATIONS MAY NOT APPLY TO YOU.
## 8. Our Proprietary Rights ##
All title, ownership and intellectual property rights in and to the Service are owned by MetaMask or its licensors. You acknowledge and agree that the Service contains proprietary and confidential information that is protected by applicable intellectual property and other laws. Except as expressly authorized by MetaMask, you agree not to copy, modify, rent, lease, loan, sell, distribute, perform, display or create derivative works based on the Service, in whole or in part. MetaMask issues a license for MetaMask, found [here](https://github.com/MetaMask/metamask-plugin/blob/master/LICENSE). For information on other licenses utilized in the development of MetaMask, please see our attribution page at: [https://metamask.io/attributions.html](https://metamask.io/attributions.html)
## 9. Links ##
The Service provides, or third parties may provide, links to other World Wide Web or accessible sites, applications or resources. Because MetaMask has no control over such sites, applications and resources, you acknowledge and agree that MetaMask is not responsible for the availability of such external sites, applications or resources, and does not endorse and is not responsible or liable for any content, advertising, products or other materials on or available from such sites or resources. You further acknowledge and agree that MetaMask shall not be responsible or liable, directly or indirectly, for any damage or loss caused or alleged to be caused by or in connection with use of or reliance on any such content, goods or services available on or through any such site or resource.
## 10. Termination and Suspension ##
MetaMask may terminate or suspend all or part of the Service and your MetaMask access immediately, without prior notice or liability, if you breach any of the terms or conditions of the Terms. Upon termination of your access, your right to use the Service will immediately cease.
The following provisions of the Terms survive any termination of these Terms: INDEMNITY; WARRANTY DISCLAIMERS; LIMITATION ON LIABILITY; OUR PROPRIETARY RIGHTS; LINKS; TERMINATION; NO THIRD PARTY BENEFICIARIES; BINDING ARBITRATION AND CLASS ACTION WAIVER; GENERAL INFORMATION.
## 11. No Third Party Beneficiaries ##
You agree that, except as otherwise expressly provided in these Terms, there shall be no third party beneficiaries to the Terms.
## 12. Notice and Procedure For Making Claims of Copyright Infringement ##
If you believe that your copyright or the copyright of a person on whose behalf you are authorized to act has been infringed, please provide MetaMaskās Copyright Agent a written Notice containing the following information:
Ā· an electronic or physical signature of the person authorized to act on behalf of the owner of the copyright or other intellectual property interest;
Ā· a description of the copyrighted work or other intellectual property that you claim has been infringed;
Ā· a description of where the material that you claim is infringing is located on the Service;
Ā· your address, telephone number, and email address;
Ā· a statement by you that you have a good faith belief that the disputed use is not authorized by the copyright owner, its agent, or the law;
Ā· a statement by you, made under penalty of perjury, that the above information in your Notice is accurate and that you are the copyright or intellectual property owner or authorized to act on the copyright or intellectual property owner's behalf.
MetaMaskās Copyright Agent can be reached at:
Email: copyright [at] metamask [dot] io
Mail:
Attention:
MetaMask Copyright ā
ConsenSys
49 Bogart Street
Brooklyn, NY 11206
## 13. Binding Arbitration and Class Action Waiver ##
PLEASE READ THIS SECTION CAREFULLY ā IT MAY SIGNIFICANTLY AFFECT YOUR LEGAL RIGHTS, INCLUDING YOUR RIGHT TO FILE A LAWSUIT IN COURT
### 13.1 Initial Dispute Resolution ###
The parties shall use their best efforts to engage directly to settle any dispute, claim, question, or disagreement and engage in good faith negotiations which shall be a condition to either party initiating a lawsuit or arbitration.
### 13.2 Binding Arbitration ###
If the parties do not reach an agreed upon solution within a period of 30 days from the time informal dispute resolution under the Initial Dispute Resolution provision begins, then either party may initiate binding arbitration as the sole means to resolve claims, subject to the terms set forth below. Specifically, all claims arising out of or relating to these Terms (including their formation, performance and breach), the partiesā relationship with each other and/or your use of the Service shall be finally settled by binding arbitration administered by the American Arbitration Association in accordance with the provisions of its Commercial Arbitration Rules and the supplementary procedures for consumer related disputes of the American Arbitration Association (the "AAA"), excluding any rules or procedures governing or permitting class actions.
The arbitrator, and not any federal, state or local court or agency, shall have exclusive authority to resolve all disputes arising out of or relating to the interpretation, applicability, enforceability or formation of these Terms, including, but not limited to any claim that all or any part of these Terms are void or voidable, or whether a claim is subject to arbitration. The arbitrator shall be empowered to grant whatever relief would be available in a court under law or in equity. The arbitratorās award shall be written, and binding on the parties and may be entered as a judgment in any court of competent jurisdiction.
The parties understand that, absent this mandatory provision, they would have the right to sue in court and have a jury trial. They further understand that, in some instances, the costs of arbitration could exceed the costs of litigation and the right to discovery may be more limited in arbitration than in court.
### 13.3 Location ###
Binding arbitration shall take place in New York. You agree to submit to the personal jurisdiction of any federal or state court in New York County, New York, in order to compel arbitration, to stay proceedings pending arbitration, or to confirm, modify, vacate or enter judgment on the award entered by the arbitrator.
### 13.4 Class Action Waiver ###
The parties further agree that any arbitration shall be conducted in their individual capacities only and not as a class action or other representative action, and the parties expressly waive their right to file a class action or seek relief on a class basis. YOU AND METAMASK AGREE THAT EACH MAY BRING CLAIMS AGAINST THE OTHER ONLY IN YOUR OR ITS INDIVIDUAL CAPACITY, AND NOT AS A PLAINTIFF OR CLASS MEMBER IN ANY PURPORTED CLASS OR REPRESENTATIVE PROCEEDING. If any court or arbitrator determines that the class action waiver set forth in this paragraph is void or unenforceable for any reason or that an arbitration can proceed on a class basis, then the arbitration provision set forth above shall be deemed null and void in its entirety and the parties shall be deemed to have not agreed to arbitrate disputes.
### 13.5 Exception - Litigation of Intellectual Property and Small Claims Court Claims ###
Notwithstanding the parties' decision to resolve all disputes through arbitration, either party may bring an action in state or federal court to protect its intellectual property rights ("intellectual property rights" means patents, copyrights, moral rights, trademarks, and trade secrets, but not privacy or publicity rights). Either party may also seek relief in a small claims court for disputes or claims within the scope of that courtās jurisdiction.
### 13.6 30-Day Right to Opt Out ###
You have the right to opt-out and not be bound by the arbitration and class action waiver provisions set forth above by sending written notice of your decision to opt-out to the following address: MetaMask ā
ConsenSys, 49 Bogart Street, Brooklyn NY 11206 and via email at legal-opt@metamask.io. The notice must be sent within 30 days of September 6, 2016 or your first use of the Service, whichever is later, otherwise you shall be bound to arbitrate disputes in accordance with the terms of those paragraphs. If you opt-out of these arbitration provisions, MetaMask also will not be bound by them.
### 13.7 Changes to This Section ###
MetaMask will provide 60-daysā notice of any changes to this section. Changes will become effective on the 60th day, and will apply prospectively only to any claims arising after the 60th day.
For any dispute not subject to arbitration you and MetaMask agree to submit to the personal and exclusive jurisdiction of and venue in the federal and state courts located in New York, New York. You further agree to accept service of process by mail, and hereby waive any and all jurisdictional and venue defenses otherwise available.
The Terms and the relationship between you and MetaMask shall be governed by the laws of the State of New York without regard to conflict of law provisions.
## 14. General Information ##
### 14.1 Entire Agreement ###
These Terms (and any additional terms, rules and conditions of participation that MetaMask may post on the Service) constitute the entire agreement between you and MetaMask with respect to the Service and supersedes any prior agreements, oral or written, between you and MetaMask. In the event of a conflict between these Terms and the additional terms, rules and conditions of participation, the latter will prevail over the Terms to the extent of the conflict.
### 14.2 Waiver and Severability of Terms ###
The failure of MetaMask to exercise or enforce any right or provision of the Terms shall not constitute a waiver of such right or provision. If any provision of the Terms is found by an arbitrator or court of competent jurisdiction to be invalid, the parties nevertheless agree that the arbitrator or court should endeavor to give effect to the parties' intentions as reflected in the provision, and the other provisions of the Terms remain in full force and effect.
### 14.3 Statute of Limitations ###
You agree that regardless of any statute or law to the contrary, any claim or cause of action arising out of or related to the use of the Service or the Terms must be filed within one (1) year after such claim or cause of action arose or be forever barred.
### 14.4 Section Titles ###
The section titles in the Terms are for convenience only and have no legal or contractual effect.
### 14.5 Communications ###
Users with questions, complaints or claims with respect to the Service may contact us using the relevant contact information set forth above and at communications@metamask.io.
## 15 Related Links ##
**[Terms of Use](https://metamask.io/terms.html)**
**[Privacy](https://metamask.io/privacy.html)**
**[Attributions](https://metamask.io/attributions.html)**
', id: 0}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KERROR: 'Warning: setState(...): Can only update a mounted or mounting component. This usually means you called setState() on an unmounted component. This is a no-op. Please check the code for the NoticeScreen component.'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'document.body', <body>
<!-- The scripts need to be in the body DOM element, as some test running frameworks need the body
to have already been created so they can insert their magic into it. For example, if loaded
before body, Angular Scenario test framework fails to find the body and crashes and burns in
an epic manner. -->
<script src="context.js"></script>
<script type="text/javascript">
// Configure our Karma and set up bindings
window.__karma__.config = {"args":[],"useIframe":true,"runInParent":false,"captureConsole":true,"clearContext":true};
window.__karma__.setupContext(window);
// All served files with the latest timestamps
window.__karma__.files = {
'/base/node_modules/qunitjs/qunit/qunit.js': 'fca9a0ac0c00fe782af607f1058a7bf250e4eb89',
'/base/node_modules/karma-qunit/lib/adapter.js': '0932caacc3ac2a0121166f2adaa7d4da20d06400',
'/base/test/integration/jquery-3.1.0.min.js': 'c72c1735b4d903d90dd51225ebefb8c74ebbc51f',
'/base/dist/chrome/images/camera.svg': 'aea3fe0702ee785c3803e9f91c221363b5f8a48f',
'/base/dist/chrome/images/caret-right.svg': '2f6845dcf10e45b37eac6bbb0e5010b2dec844b8',
'/base/dist/chrome/images/check-white.svg': '641f01710954a0fdc66bb9210e9900352fd42e0a',
'/base/dist/chrome/images/coinbase logo.png': '7be6d292c58ad6780673b510ff48e50f8da41063',
'/base/dist/chrome/images/contract/1st.svg': '3c91b56563c4b78953527b413e01583e48c6131a',
'/base/dist/chrome/images/contract/BAT_icon.svg': 'a4f060dc999f740c1f7ac0ef0c6969968609951d',
'/base/dist/chrome/images/contract/CanYa.svg': '197f9ccd8d02f3b643497d5a5ad95d4637ec163a',
'/base/dist/chrome/images/contract/CryptoKitties-Kitty-13733.svg': '59c029f1768f1e58227b61a5b82932a8505577d2',
'/base/dist/chrome/images/contract/DGD.png': 'ec9abe3af51e0065dd975d54c31099571b5c7c6b',
'/base/dist/chrome/images/contract/Dentacoin.png': 'ea80e802aca945ba40dbb25b18b17419b4caea4d',
'/base/dist/chrome/images/contract/JETCOIN28.png': '3d0092ee99da1483f456f42435aa544c07754ca8',
'/base/dist/chrome/images/contract/MLNSymbol.png': '6a7e71568154f2a7173b6e8540e5d2672bb53eaf',
'/base/dist/chrome/images/contract/Maecenas.jpg': 'e50d833952ae4b30fb67d0e8912cd019475875c4',
'/base/dist/chrome/images/contract/XSC Logo.svg': 'e6b6d74d3bb3a75faecf2d35c2ad20a9b498266d',
'/base/dist/chrome/images/contract/appcoins.png': '3d37e890a7ffdad88f1f2e1b2510e544c224c9a8',
'/base/dist/chrome/images/contract/aragon_isotype.svg': 'e2a4e1a1d56eeb4cffa40941d9be5afb077fbd2a',
'/base/dist/chrome/images/contract/augur_logo.png': '22fbeeb59d0a4cbcec3ca93a4fe2d076c351cef4',
'/base/dist/chrome/images/contract/bancor.png': 'fb174770d397ec0de74bd85dff3a7f9b30467974',
'/base/dist/chrome/images/contract/bcap.svg': '197e81f2c63f7831ca683b3293c686e6689ff65c',
'/base/dist/chrome/images/contract/bcpt.svg': 'c100185d88cfaa363395ea3483161eaa44491d74',
'/base/dist/chrome/images/contract/bitclave.svg': '697d84fd1e4936237f47672ca4b4ca1b25b5ae29',
'/base/dist/chrome/images/contract/change.png': '02da9ccb0c22b2e051fa8d3f352f90c5150e9a2e',
'/base/dist/chrome/images/contract/chronobank.png': '2c503ecee398b7330ab3746e08f2217c5a659d04',
'/base/dist/chrome/images/contract/divi.svg': 'afa96e12ad1f69e947b7f29ec8afb28a7035be99',
'/base/dist/chrome/images/contract/ego_badge.png': 'e06b227bff7a1812017bfa0f7bf7c2e177c71b66',
'/base/dist/chrome/images/contract/ens.svg': '9aa5e2d304b4b379fe549c6e7cbf5cdc2c0beba8',
'/base/dist/chrome/images/contract/eos-logo.jpeg': '9f817382767827802791e83bfe7ec706597b8af2',
'/base/dist/chrome/images/contract/gee-icon.svg': '2bd4f022d7acfbe4100f5f8c8e8cd57f626571b4',
'/base/dist/chrome/images/contract/gnosis.svg': '45d9b68d255d9b88316cee5ccabd7efbe64410d5',
'/base/dist/chrome/images/contract/goldx.png': '3188c4d29dbe85ada01924ec267481fedb64bd6c',
'/base/dist/chrome/images/contract/golem.svg': 'bc4433ce5444f91192a262f6b1aa40455221f972',
'/base/dist/chrome/images/contract/guppy.png': '5008b02e1f33809499ded7882803cfe70236302a',
'/base/dist/chrome/images/contract/hg_gbt.png': '761c8ccd865cdc3f9259264c8c02a0e198bbdf6f',
'/base/dist/chrome/images/contract/hgt.png': '3b7e6a762695a2ae61113cadfa9d83f3982b02ad',
'/base/dist/chrome/images/contract/iconomi.png': 'a46371bfa658e6e983f32100f0f162d58c297c05',
'/base/dist/chrome/images/contract/indorseLogo.jpg': '54335760d34e6c83d288749177ab3a6117d46204',
'/base/dist/chrome/images/contract/logo-maker-4.svg': '2fbeea68ac720c18c9d170109f123a10efb68fd6',
'/base/dist/chrome/images/contract/lun.png': '88769688962f0d74c8ac19afe1f07ac3f951a886',
'/base/dist/chrome/images/contract/metamark.svg': '1e1be857d5131237efefa5f94d0b7da49ffdca98',
'/base/dist/chrome/images/contract/modum.svg': '689d6f7deabe079ee27a82975400ca592fb092a2',
'/base/dist/chrome/images/contract/ndc.png': 'a90b51de0d5e852db458f83d78319c15f00a2718',
'/base/dist/chrome/images/contract/playkey.svg': 'c4736351931b9d118325b1ea0765d340af86201d',
'/base/dist/chrome/images/contract/plutus-god.svg': '5d7759271f1811b60327db016a6278cd4888b70d',
'/base/dist/chrome/images/contract/qtum_28.png': '7bfd91a8dec20e79c7b6ec98f35fe145258c7636',
'/base/dist/chrome/images/contract/rfr.svg': '568fa7b5ff29859bc71d65eba01a26c59a8cd773',
'/base/dist/chrome/images/contract/rivetz.png': 'ed7cf4cb1458e78fc72474bbd0037efaa7035c89',
'/base/dist/chrome/images/contract/rlc.png': '60420bc1decf5fb8b324e0e56bf50e7f6387a68a',
'/base/dist/chrome/images/contract/singulardtv.svg': 'ac1c3a3191d2d609f04cf5ae9d4fbfbb73733699',
'/base/dist/chrome/images/contract/spectiv.svg': 'd7cd6e64fdee249b1669fa0e1a617da40ff9a13b',
'/base/dist/chrome/images/contract/swt.jpg': 'c2983ed76ff48b82da02f24d92230c8efee238f5',
'/base/dist/chrome/images/contract/taas-ico.png': 'dd230cda1cba300cb9c704fd4af8048346adaee0',
'/base/dist/chrome/images/contract/tkn.svg': 'bdce27ba259ee715b0853ea22c22a149d47ec8c7',
'/base/dist/chrome/images/contract/too-real.jpg': '84b6c663a45e94996c40d4f4e13afbe9a465b6c3',
'/base/dist/chrome/images/contract/tpt.png': 'd0a269ab4a1ad822304ed5d636698ce8d91c1c0c',
'/base/dist/chrome/images/contract/wings_logo.svg': '63f0af8e50b5f9a5b710d5ce331b91fec7e51b28',
'/base/dist/chrome/images/contract/wyvern-logo.svg': '83043e5b32b6da36a8767646487d783f56352616',
'/base/dist/chrome/images/contract/xaurum_logo.svg': '0d195b4e249dae1333c39a72cc8b84d8fd313870',
'/base/dist/chrome/images/copy.svg': '58a8c861415eba969910fa904ca10c5aa0c2e3c1',
'/base/dist/chrome/images/download.svg': 'e8f5586e81294d128c0762a955244c913fc4d73c',
'/base/dist/chrome/images/eth_logo.svg': 'a6664ec6593c91ae7bb93544482c99de8d5563a5',
'/base/dist/chrome/images/forward-carrat.svg': '37f746f6d2971f3f8234e3017d4208d393704189',
'/base/dist/chrome/images/help.svg': 'ab3eb9d86fe2c10755c961eaeb80858958c1779d',
'/base/dist/chrome/images/icon-128.png': '662efb263a6fa76b6bb31339836d90b44e0c0d2d',
'/base/dist/chrome/images/icon-16.png': 'd60ad50e7efa6e4cc9a06808a452c058dcc7add4',
'/base/dist/chrome/images/icon-19.png': 'eaec59e40776ab34ad5ff714274ca1ad994ad25d',
'/base/dist/chrome/images/icon-32.png': '26b13fc7d97334c871a25455627caa0cad8652d5',
'/base/dist/chrome/images/icon-38.png': '96ce5cc9b7dcac1a08cc758588b7bfdcb53556ab',
'/base/dist/chrome/images/icon-512.png': 'd8d32493653f206cb563a6b45bb637e319e9ad20',
'/base/dist/chrome/images/icon-64.png': 'efc74ddc4abc89a1e4a0fd19def49bfd5499b19c',
'/base/dist/chrome/images/import-account.svg': 'e8a535d4f29890067b589ab97ef23f8690f011ff',
'/base/dist/chrome/images/info-logo.png': '121b5a7992011658b1d86eecc797e7c2550fb6a9',
'/base/dist/chrome/images/key-32.png': '26bd05f2dfc5b55c4273f27e5bc555a1c51e0176',
'/base/dist/chrome/images/loading.svg': '4c8d643fb117b3e51eaa80cc18ab6dd272e6a018',
'/base/dist/chrome/images/lock.svg': 'f13082021e5eab0e2b3cf21d011bb2b9978f4389',
'/base/dist/chrome/images/metamask-fox.svg': '4a073b2cf87db09799464a2ee36a241a1a01b3c2',
'/base/dist/chrome/images/mm-bolt.svg': '18675cdd231aa8c69b09b02eb32e355fbf65784e',
'/base/dist/chrome/images/mm-info-icon.svg': '683cbab12683da5332caa2ee9432c6373aa7d82a',
'/base/dist/chrome/images/open.svg': 'a9ca666b9d0221deb5bda8fbabcdff3070df47ec',
'/base/dist/chrome/images/plus-btn-white.svg': 'eb835240b5dc251cf95d59e34f682e6aba05207c',
'/base/dist/chrome/images/popout.svg': '5e38580068461a520b0c961a120877b923b403d4',
'/base/dist/chrome/images/qr.svg': 'bbe790913a34493cc5aadcf5ebb5e5759454a893',
'/base/dist/chrome/images/settings.svg': '12cd795f357573ef7847f4c8a1f1001e4be469f9',
'/base/dist/chrome/images/shapeshift logo.png': '109e3fcfd4a25704a16a6445deb7dadb8fb25f44',
'/base/dist/chrome/images/switch_acc.svg': '1f5d625fdcc1ab4259a90fb1a596be7386236701',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Bold.otf': '6a77ba783da6ad8ee7a06a64bbd7dace9a5fabc1',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Regular.otf': 'ecc9ff92c8277352bc96aaa4f4764067343a531d',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Black.otf': 'bb9167a8352a73684f0cdb874d57d347c29bfb5c',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Italic.otf': 'ac6debc3b8afdcc5334080e8a521dc9175fecda9',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Light.otf': '405e0c4fe4c9eedb536861736c6e5ba0d73146a3',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Medium.otf': '586d5a2112b92d0c3ff36efe4b4d734069d0c1fd',
'/base/dist/chrome/fonts/DIN_OT/DINOT-2.otf': 'aa3ec55d6ccf78e81266bad81f900b08667b440d',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Bold 2.otf': 'e89df16966e287409ed8c042ad7d415b6269f178',
'/base/dist/chrome/fonts/DIN_OT/DINOT-BoldItalic.otf': 'a5bf296e3703d2fcd9305289e226e1adf323e4e8',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Italic 2.otf': '22a956f13c50eb7218ceb7822e293768ca84cc2f',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Medium 2.otf': 'eaafef7e2f3aa6756e13209988c71310620109dc',
'/base/dist/chrome/fonts/DIN_OT/DINOT-MediumItalic 2.otf': '6cd2990f33b8d47f5e8a31aaa8088956e7ea41da',
'/base/dist/chrome/fonts/Lato/Lato-Black.ttf': '573229cbc4622190a38adff3d906e0c1466802bd',
'/base/dist/chrome/fonts/Lato/Lato-BlackItalic.ttf': 'ce2095485c0274ed904e096b80448bc48f56c3bd',
'/base/dist/chrome/fonts/Lato/Lato-Bold.ttf': 'c330d59f3e64e07a2571c2ba4f4109b20a168f69',
'/base/dist/chrome/fonts/Lato/Lato-BoldItalic.ttf': '2007f546660221940e9dc6b9a3cae9b72fbe17af',
'/base/dist/chrome/fonts/Lato/Lato-Hairline.ttf': 'fa540e486ce62d6883201b0a545c4facf2511253',
'/base/dist/chrome/fonts/Lato/Lato-HairlineItalic.ttf': '4e75ebff548ef432bc417e8686d52ffb7c9cbe35',
'/base/dist/chrome/fonts/Lato/Lato-Italic.ttf': 'e4cea8035a258a869a6139fbf74e6d0c247bd49b',
'/base/dist/chrome/fonts/Lato/Lato-Light.ttf': '6eb95108fef81bd8cfbf7e20d4ca0634e5989019',
'/base/dist/chrome/fonts/Lato/Lato-LightItalic.ttf': '584f340776412f77f04de06ee04348ef823d5097',
'/base/dist/chrome/fonts/Lato/Lato-Regular.ttf': '127f241871a9fe42cd8d073a0835410f3824d57c',
'/base/dist/chrome/fonts/Lato/OFL.txt': 'dced1a41948e9968f9026cbc7ddabbf88e65423b',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.ttf': 'bf257f6f91f6522eccea6d4f28d57bb118c98729',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.woff': '94680ffdc29df984dd3effef0f5ac9a5be0fb81e',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.ttf': '7110c2daf5721fa5de10d9e98b492b0721343c56',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.woff': 'b905af2e22459d1763deb45bbabf9cb5e62842d8',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.ttf': '9ca420aa453eb243037970c0c1c1adfe289f510f',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.woff': '2fe29740deb363cb82e191a35abe80613a33f25a',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.ttf': '358a8b149974050dc0e16806387c1faec6c9d9db',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.woff': 'efd91310fbc04375d5133d340e2661dc5a512703',
'/base/dist/chrome/fonts/Montserrat/OFL.txt': 'eb0a40063182521fc42cecf8ffcd6a05a74023b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Black.ttf': '14701060227dbc4a4ec9901970e8a58bb136efd9',
'/base/dist/chrome/fonts/Roboto/Roboto-BlackItalic.ttf': '3009f8bc7f3aa84fd483469422442cc3789e0579',
'/base/dist/chrome/fonts/Roboto/Roboto-Bold.ttf': '6cbb57ba2355cf442e06899898ff5af55867103e',
'/base/dist/chrome/fonts/Roboto/Roboto-BoldItalic.ttf': 'cd6a28033099099036e2a2182c9c4475394deaad',
'/base/dist/chrome/fonts/Roboto/Roboto-Italic.ttf': '4c4faf7a3fae4d0b1474561f0080995d358861ac',
'/base/dist/chrome/fonts/Roboto/Roboto-Light.ttf': '191dda7a5142990cd980727d43b27e4802f0b321',
'/base/dist/chrome/fonts/Roboto/Roboto-LightItalic.ttf': '693445f41eaa750b789a77568f9d6d995e85e0b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Medium.ttf': 'adbc3bde424bcf7dbc38f148005c8319825891f2',
'/base/dist/chrome/fonts/Roboto/Roboto-MediumItalic.ttf': '75feb92a7fc61d00e8ca610a700344738ef5ae32',
'/base/dist/chrome/fonts/Roboto/Roboto-Regular.ttf': '1d1d41fcadc571decb6444211b7993b99ce926e2',
'/base/dist/chrome/fonts/Roboto/Roboto-Thin.ttf': 'f71ccd563f95ccc187cf4fe81287445e91f7121b',
'/base/dist/chrome/fonts/Roboto/Roboto-ThinItalic.ttf': 'e3fb2b2a0dc2daf84d79cfff4b345a2afac132bc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Bold.ttf': 'c348d9f1b95e103ac2d14d56682867368f385b1a',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-BoldItalic.ttf': '3bd9f2b8c65c4dd80f535b9ddd937784e0d71ce6',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Italic.ttf': '394439fa97f36bba80f061e32e46ead1650e798e',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Light.ttf': 'df222c27b5e41dc89ca76a4479c9dd3ae6c1acbc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-LightItalic.ttf': 'd974583f3217141e4fc04bf94c3c6f94d9f56f8f',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Regular.ttf': 'c722696501a8663d64208d754e4db8165d3936f6',
'/base/dist/mascara/ui.js': 'd0d629760d831fc76c8f3da53d8b76ae7bbde713',
'/base/dist/mascara/tests.js': 'fc42b0e335d55a01717f52e0baa685ec6457f512',
'/base/dist/mascara/background.js': 'b0ca60cd30e87210367273689695d8581e5c7464'
};
</script>
<!-- Dynamically replaced with <script> tags -->
<script type="text/javascript" src="/base/node_modules/qunitjs/qunit/qunit.js?fca9a0ac0c00fe782af607f1058a7bf250e4eb89" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/node_modules/karma-qunit/lib/adapter.js?0932caacc3ac2a0121166f2adaa7d4da20d06400" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/test/integration/jquery-3.1.0.min.js?c72c1735b4d903d90dd51225ebefb8c74ebbc51f" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/ui.js?d0d629760d831fc76c8f3da53d8b76ae7bbde713" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/tests.js?fc42b0e335d55a01717f52e0baa685ec6457f512" crossorigin="anonymous"></script>
<script type="text/javascript">
window.__karma__.loaded();
</script>
<div id="app-content"><div data-reactroot="" class="flex-column full-height mouse-user-styles" tabindex="0" style="overflow-x: hidden; position: relative; align-items: center;"><!-- react-empty: 2 --><div><style>
.sidebar-enter {
transition: transform 300ms ease-in-out;
transform: translateX(-100%);
}
.sidebar-enter.sidebar-enter-active {
transition: transform 300ms ease-in-out;
transform: translateX(0%);
}
.sidebar-leave {
transition: transform 200ms ease-out;
transform: translateX(0%);
}
.sidebar-leave.sidebar-leave-active {
transition: transform 200ms ease-out;
transform: translateX(-100%);
}
</style><span></span></div><div class=".menu-droppo-container network-droppo" style="position: absolute; top: 58px; min-width: 309px; z-index: 55;"><style>
.menu-droppo-enter {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
.menu-droppo-enter.menu-droppo-enter-active {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave.menu-droppo-leave-active {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
</style></div><noscript></noscript><div class="first-time-flow"><div class="tou"><div class=" identicon" style="display: flex; align-items: center; justify-content: center; height: 70px; width: 70px; border-radius: 35px; overflow: hidden;"><div style="border-radius: 50px; overflow: hidden; padding: 0px; margin: 0px; width: 70px; height: 70px; display: inline-block;"><svg height="100" version="1.1" width="100" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" style="overflow: hidden; position: relative;"><desc style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);">Created with RaphaĆ«l 2.2.0</desc><defs style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></defs><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#fb1845" stroke="none" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#f2ba02" stroke="none" transform="matrix(0.6538,0.7567,-0.7567,0.6538,32.5576,-23.7897)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#234fe1" stroke="none" transform="matrix(-0.9314,0.3639,-0.3639,-0.9314,67.0881,78.5589)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#c81438" stroke="none" transform="matrix(0.2296,-0.9733,0.9733,0.2296,3.2302,6.5324)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect></svg></div></div><div class="tou__title">Terms of Use</div><div class="tou__body markdown"><h1><!-- react-text: 129 -->Terms of Use<!-- /react-text --></h1><p><strong><!-- react-text: 131 -->THIS AGREEMENT IS SUBJECT TO BINDING ARBITRATION AND A WAIVER OF CLASS ACTION RIGHTS AS DETAILED IN SECTION 13. PLEASE READ THE AGREEMENT CAREFULLY.<!-- /react-text --></strong></p><p><em><!-- react-text: 133 -->Our Terms of Use have been updated as of September 5, 2016<!-- /react-text --></em></p><h2><!-- react-text: 135 -->1. Acceptance of Terms<!-- /react-text --></h2><p><!-- react-text: 137 -->MetaMask provides a platform for managing Ethereum (or "ETH") accounts, and allowing ordinary websites to interact with the Ethereum blockchain, while keeping the user in control over what transactions they approve, through our website located at<!-- /react-text --><a href="http://metamask.io"><!-- react-text: 139 --> <!-- /react-text --></a><a href="https://metamask.io/"><!-- react-text: 141 -->https://metamask.io/<!-- /react-text --></a><!-- react-text: 142 --> and browser plugin (the "Site") ā which includes text, images, audio, code and other materials (collectively, the āContentā) and all of the features, and services provided. The Site, and any other features, tools, materials, or other services offered from time to time by MetaMask are referred to here as the āService.ā Please read these Terms of Use (the āTermsā or āTerms of Useā) carefully before using the Service. By using or otherwise accessing the Services, or clicking to accept or agree to these Terms where that option is made available, you (1) accept and agree to these Terms (2) consent to the collection, use, disclosure and other handling of information as described in our Privacy Policy and (3) any additional terms, rules and conditions of participation issued by MetaMask from time to time. If you do not agree to the Terms, then you may not access or use the Content or Services.<!-- /react-text --></p><h2><!-- react-text: 144 -->2. Modification of Terms of Use<!-- /react-text --></h2><p><!-- react-text: 146 -->Except for Section 13, providing for binding arbitration and waiver of class action rights, MetaMask reserves the right, at its sole discretion, to modify or replace the Terms of Use at any time. The most current version of these Terms will be posted on our Site. You shall be responsible for reviewing and becoming familiar with any such modifications. Use of the Services by you after any modification to the Terms constitutes your acceptance of the Terms of Use as modified.<!-- /react-text --></p><h2><!-- react-text: 148 -->3. Eligibility<!-- /react-text --></h2><p><!-- react-text: 150 -->You hereby represent and warrant that you are fully able and competent to enter into the terms, conditions, obligations, affirmations, representations and warranties set forth in these Terms and to abide by and comply with these Terms.<!-- /react-text --></p><p><!-- react-text: 152 -->MetaMask is a global platform and by accessing the Content or Services, you are representing and warranting that, you are of the legal age of majority in your jurisdiction as is required to access such Services and Content and enter into arrangements as provided by the Service. You further represent that you are otherwise legally permitted to use the service in your jurisdiction including owning cryptographic tokens of value, and interacting with the Services or Content in any way. You further represent you are responsible for ensuring compliance with the laws of your jurisdiction and acknowledge that MetaMask is not liable for your compliance with such laws.<!-- /react-text --></p><h2><!-- react-text: 154 -->4 Account Password and Security<!-- /react-text --></h2><p><!-- react-text: 156 -->When setting up an account within MetaMask, you will be responsible for keeping your own account secrets, which may be a twelve-word seed phrase, an account file, or other locally stored secret information. MetaMask encrypts this information locally with a password you provide, that we never send to our servers. You agree to (a) never use the same password for MetaMask that you have ever used outside of this service; (b) keep your secret information and password confidential and do not share them with anyone else; (c) immediately notify MetaMask of any unauthorized use of your account or breach of security. MetaMask cannot and will not be liable for any loss or damage arising from your failure to comply with this section.<!-- /react-text --></p><h2><!-- react-text: 158 -->5. Representations, Warranties, and Risks<!-- /react-text --></h2><h3><!-- react-text: 160 -->5.1. Warranty Disclaimer<!-- /react-text --></h3><p><!-- react-text: 162 -->You expressly understand and agree that your use of the Service is at your sole risk. The Service (including the Service and the Content) are provided on an "AS IS" and "as available" basis, without warranties of any kind, either express or implied, including, without limitation, implied warranties of merchantability, fitness for a particular purpose or non-infringement. You acknowledge that MetaMask has no control over, and no duty to take any action regarding: which users gain access to or use the Service; what effects the Content may have on you; how you may interpret or use the Content; or what actions you may take as a result of having been exposed to the Content. You release MetaMask from all liability for you having acquired or not acquired Content through the Service. MetaMask makes no representations concerning any Content contained in or accessed through the Service, and MetaMask will not be responsible or liable for the accuracy, copyright compliance, legality or decency of material contained in or accessed through the Service.<!-- /react-text --></p><h3><!-- react-text: 164 -->5.2 Sophistication and Risk of Cryptographic Systems<!-- /react-text --></h3><p><!-- react-text: 166 -->By utilizing the Service or interacting with the Content or platform in any way, you represent that you understand the inherent risks associated with cryptographic systems; and warrant that you have an understanding of the usage and intricacies of native cryptographic tokens, like Ether (ETH) and Bitcoin (BTC), smart contract based tokens such as those that follow the Ethereum Token Standard (<!-- /react-text --><a href="https://github.com/ethereum/EIPs/issues/20"><!-- react-text: 168 -->https://github.com/ethereum/EIPs/issues/20<!-- /react-text --></a><!-- react-text: 169 -->), and blockchain-based software systems.<!-- /react-text --></p><h3><!-- react-text: 171 -->5.3 Risk of Regulatory Actions in One or More Jurisdictions<!-- /react-text --></h3><p><!-- react-text: 173 -->MetaMask and ETH could be impacted by one or more regulatory inquiries or regulatory action, which could impede or limit the ability of MetaMask to continue to develop, or which could impede or limit your ability to access or use the Service or Ethereum blockchain.<!-- /react-text --></p><h3><!-- react-text: 175 -->5.4 Risk of Weaknesses or Exploits in the Field of Cryptography<!-- /react-text --></h3><p><!-- react-text: 177 -->You acknowledge and understand that Cryptography is a progressing field. Advances in code cracking or technical advances such as the development of quantum computers may present risks to cryptocurrencies and Services of Content, which could result in the theft or loss of your cryptographic tokens or property. To the extent possible, MetaMask intends to update the protocol underlying Services to account for any advances in cryptography and to incorporate additional security measures, but does not guarantee or otherwise represent full security of the system. By using the Service or accessing Content, you acknowledge these inherent risks.<!-- /react-text --></p><h3><!-- react-text: 179 -->5.5 Volatility of Crypto Currencies<!-- /react-text --></h3><p><!-- react-text: 181 -->You understand that Ethereum and other blockchain technologies and associated currencies or tokens are highly volatile due to many factors including but not limited to adoption, speculation, technology and security risks. You also acknowledge that the cost of transacting on such technologies is variable and may increase at any time causing impact to any activities taking place on the Ethereum blockchain. You acknowledge these risks and represent that MetaMask cannot be held liable for such fluctuations or increased costs.<!-- /react-text --></p><h3><!-- react-text: 183 -->5.6 Application Security<!-- /react-text --></h3><p><!-- react-text: 185 -->You acknowledge that Ethereum applications are code subject to flaws and acknowledge that you are solely responsible for evaluating any code provided by the Services or Content and the trustworthiness of any third-party websites, products, smart-contracts, or Content you access or use through the Service. You further expressly acknowledge and represent that Ethereum applications can be written maliciously or negligently, that MetaMask cannot be held liable for your interaction with such applications and that such applications may cause the loss of property or even identity. This warning and others later provided by MetaMask in no way evidence or represent an on-going duty to alert you to all of the potential risks of utilizing the Service or Content.<!-- /react-text --></p><h2><!-- react-text: 187 -->6. Indemnity<!-- /react-text --></h2><p><!-- react-text: 189 -->You agree to release and to indemnify, defend and hold harmless MetaMask and its parents, subsidiaries, affiliates and agencies, as well as the officers, directors, employees, shareholders and representatives of any of the foregoing entities, from and against any and all losses, liabilities, expenses, damages, costs (including attorneysā fees and court costs) claims or actions of any kind whatsoever arising or resulting from your use of the Service, your violation of these Terms of Use, and any of your acts or omissions that implicate publicity rights, defamation or invasion of privacy. MetaMask reserves the right, at its own expense, to assume exclusive defense and control of any matter otherwise subject to indemnification by you and, in such case, you agree to cooperate with MetaMask in the defense of such matter.<!-- /react-text --></p><h2><!-- react-text: 191 -->7. Limitation on liability<!-- /react-text --></h2><p><!-- react-text: 193 -->YOU ACKNOWLEDGE AND AGREE THAT YOU ASSUME FULL RESPONSIBILITY FOR YOUR USE OF THE SITE AND SERVICE. YOU ACKNOWLEDGE AND AGREE THAT ANY INFORMATION YOU SEND OR RECEIVE DURING YOUR USE OF THE SITE AND SERVICE MAY NOT BE SECURE AND MAY BE INTERCEPTED OR LATER ACQUIRED BY UNAUTHORIZED PARTIES. YOU ACKNOWLEDGE AND AGREE THAT YOUR USE OF THE SITE AND SERVICE IS AT YOUR OWN RISK. RECOGNIZING SUCH, YOU UNDERSTAND AND AGREE THAT, TO THE FULLEST EXTENT PERMITTED BY APPLICABLE LAW, NEITHER METAMASK NOR ITS SUPPLIERS OR LICENSORS WILL BE LIABLE TO YOU FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, CONSEQUENTIAL, PUNITIVE, EXEMPLARY OR OTHER DAMAGES OF ANY KIND, INCLUDING WITHOUT LIMITATION DAMAGES FOR LOSS OF PROFITS, GOODWILL, USE, DATA OR OTHER TANGIBLE OR INTANGIBLE LOSSES OR ANY OTHER DAMAGES BASED ON CONTRACT, TORT, STRICT LIABILITY OR ANY OTHER THEORY (EVEN IF METAMASK HAD BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES), RESULTING FROM THE SITE OR SERVICE; THE USE OR THE INABILITY TO USE THE SITE OR SERVICE; UNAUTHORIZED ACCESS TO OR ALTERATION OF YOUR TRANSMISSIONS OR DATA; STATEMENTS OR CONDUCT OF ANY THIRD PARTY ON THE SITE OR SERVICE; ANY ACTIONS WE TAKE OR FAIL TO TAKE AS A RESULT OF COMMUNICATIONS YOU SEND TO US; HUMAN ERRORS; TECHNICAL MALFUNCTIONS; FAILURES, INCLUDING PUBLIC UTILITY OR TELEPHONE OUTAGES; OMISSIONS, INTERRUPTIONS, LATENCY, DELETIONS OR DEFECTS OF ANY DEVICE OR NETWORK, PROVIDERS, OR SOFTWARE (INCLUDING, BUT NOT LIMITED TO, THOSE THAT DO NOT PERMIT PARTICIPATION IN THE SERVICE); ANY INJURY OR DAMAGE TO COMPUTER EQUIPMENT; INABILITY TO FULLY ACCESS THE SITE OR SERVICE OR ANY OTHER WEBSITE; THEFT, TAMPERING, DESTRUCTION, OR UNAUTHORIZED ACCESS TO, IMAGES OR OTHER CONTENT OF ANY KIND; DATA THAT IS PROCESSED LATE OR INCORRECTLY OR IS INCOMPLETE OR LOST; TYPOGRAPHICAL, PRINTING OR OTHER ERRORS, OR ANY COMBINATION THEREOF; OR ANY OTHER MATTER RELATING TO THE SITE OR SERVICE.<!-- /react-text --></p><p><!-- react-text: 195 -->SOME JURISDICTIONS DO NOT ALLOW THE EXCLUSION OF CERTAIN WARRANTIES OR THE LIMITATION OR EXCLUSION OF LIABILITY FOR INCIDENTAL OR CONSEQUENTIAL DAMAGES. ACCORDINGLY, SOME OF THE ABOVE LIMITATIONS MAY NOT APPLY TO YOU.<!-- /react-text --></p><h2><!-- react-text: 197 -->8. Our Proprietary Rights<!-- /react-text --></h2><p><!-- react-text: 199 -->All title, ownership and intellectual property rights in and to the Service are owned by MetaMask or its licensors. You acknowledge and agree that the Service contains proprietary and confidential information that is protected by applicable intellectual property and other laws. Except as expressly authorized by MetaMask, you agree not to copy, modify, rent, lease, loan, sell, distribute, perform, display or create derivative works based on the Service, in whole or in part. MetaMask issues a license for MetaMask, found <!-- /react-text --><a href="https://github.com/MetaMask/metamask-plugin/blob/master/LICENSE"><!-- react-text: 201 -->here<!-- /react-text --></a><!-- react-text: 202 -->. For information on other licenses utilized in the development of MetaMask, please see our attribution page at: <!-- /react-text --><a href="https://metamask.io/attributions.html"><!-- react-text: 204 -->https://metamask.io/attributions.html<!-- /react-text --></a></p><h2><!-- react-text: 206 -->9. Links<!-- /react-text --></h2><p><!-- react-text: 208 -->The Service provides, or third parties may provide, links to other World Wide Web or accessible sites, applications or resources. Because MetaMask has no control over such sites, applications and resources, you acknowledge and agree that MetaMask is not responsible for the availability of such external sites, applications or resources, and does not endorse and is not responsible or liable for any content, advertising, products or other materials on or available from such sites or resources. You further acknowledge and agree that MetaMask shall not be responsible or liable, directly or indirectly, for any damage or loss caused or alleged to be caused by or in connection with use of or reliance on any such content, goods or services available on or through any such site or resource.<!-- /react-text --></p><h2><!-- react-text: 210 -->10. Termination and Suspension<!-- /react-text --></h2><p><!-- react-text: 212 -->MetaMask may terminate or suspend all or part of the Service and your MetaMask access immediately, without prior notice or liability, if you breach any of the terms or conditions of the Terms. Upon termination of your access, your right to use the Service will immediately cease.<!-- /react-text --></p><p><!-- react-text: 214 -->The following provisions of the Terms survive any termination of these Terms: INDEMNITY; WARRANTY DISCLAIMERS; LIMITATION ON LIABILITY; OUR PROPRIETARY RIGHTS; LINKS; TERMINATION; NO THIRD PARTY BENEFICIARIES; BINDING ARBITRATION AND CLASS ACTION WAIVER; GENERAL INFORMATION.<!-- /react-text --></p><h2><!-- react-text: 216 -->11. No Third Party Beneficiaries<!-- /react-text --></h2><p><!-- react-text: 218 -->You agree that, except as otherwise expressly provided in these Terms, there shall be no third party beneficiaries to the Terms.<!-- /react-text --></p><h2><!-- react-text: 220 -->12. Notice and Procedure For Making Claims of Copyright Infringement<!-- /react-text --></h2><p><!-- react-text: 222 -->If you believe that your copyright or the copyright of a person on whose behalf you are authorized to act has been infringed, please provide MetaMaskās Copyright Agent a written Notice containing the following information:<!-- /react-text --></p><p><!-- react-text: 224 -->Ā· an electronic or physical signature of the person authorized to act on behalf of the owner of the copyright or other intellectual property interest;<!-- /react-text --></p><p><!-- react-text: 226 -->Ā· a description of the copyrighted work or other intellectual property that you claim has been infringed;<!-- /react-text --></p><p><!-- react-text: 228 -->Ā· a description of where the material that you claim is infringing is located on the Service;<!-- /react-text --></p><p><!-- react-text: 230 -->Ā· your address, telephone number, and email address;<!-- /react-text --></p><p><!-- react-text: 232 -->Ā· a statement by you that you have a good faith belief that the disputed use is not authorized by the copyright owner, its agent, or the law;<!-- /react-text --></p><p><!-- react-text: 234 -->Ā· a statement by you, made under penalty of perjury, that the above information in your Notice is accurate and that you are the copyright or intellectual property owner or authorized to act on the copyright or intellectual property owner's behalf.<!-- /react-text --></p><p><!-- react-text: 236 -->MetaMaskās Copyright Agent can be reached at:<!-- /react-text --></p><p><!-- react-text: 238 -->Email: copyright <!-- /react-text --><a href=""><!-- react-text: 240 -->at<!-- /react-text --></a><!-- react-text: 241 --> metamask <!-- /react-text --><a href=""><!-- react-text: 243 -->dot<!-- /react-text --></a><!-- react-text: 244 --> io<!-- /react-text --></p><p><!-- react-text: 246 -->Mail:<!-- /react-text --></p><p><!-- react-text: 248 -->Attention:<!-- /react-text --></p><p><!-- react-text: 250 -->MetaMask Copyright ā
ConsenSys<!-- /react-text --></p><p><!-- react-text: 252 -->49 Bogart Street<!-- /react-text --></p><p><!-- react-text: 254 -->Brooklyn, NY 11206<!-- /react-text --></p><h2><!-- react-text: 256 -->13. Binding Arbitration and Class Action Waiver<!-- /react-text --></h2><p><!-- react-text: 258 -->PLEASE READ THIS SECTION CAREFULLY ā IT MAY SIGNIFICANTLY AFFECT YOUR LEGAL RIGHTS, INCLUDING YOUR RIGHT TO FILE A LAWSUIT IN COURT<!-- /react-text --></p><h3><!-- react-text: 260 -->13.1 Initial Dispute Resolution<!-- /react-text --></h3><p><!-- react-text: 262 -->The parties shall use their best efforts to engage directly to settle any dispute, claim, question, or disagreement and engage in good faith negotiations which shall be a condition to either party initiating a lawsuit or arbitration.<!-- /react-text --></p><h3><!-- react-text: 264 -->13.2 Binding Arbitration<!-- /react-text --></h3><p><!-- react-text: 266 -->If the parties do not reach an agreed upon solution within a period of 30 days from the time informal dispute resolution under the Initial Dispute Resolution provision begins, then either party may initiate binding arbitration as the sole means to resolve claims, subject to the terms set forth below. Specifically, all claims arising out of or relating to these Terms (including their formation, performance and breach), the partiesā relationship with each other and/or your use of the Service shall be finally settled by binding arbitration administered by the American Arbitration Association in accordance with the provisions of its Commercial Arbitration Rules and the supplementary procedures for consumer related disputes of the American Arbitration Association (the "AAA"), excluding any rules or procedures governing or permitting class actions.<!-- /react-text --></p><p><!-- react-text: 268 -->The arbitrator, and not any federal, state or local court or agency, shall have exclusive authority to resolve all disputes arising out of or relating to the interpretation, applicability, enforceability or formation of these Terms, including, but not limited to any claim that all or any part of these Terms are void or voidable, or whether a claim is subject to arbitration. The arbitrator shall be empowered to grant whatever relief would be available in a court under law or in equity. The arbitratorās award shall be written, and binding on the parties and may be entered as a judgment in any court of competent jurisdiction.<!-- /react-text --></p><p><!-- react-text: 270 -->The parties understand that, absent this mandatory provision, they would have the right to sue in court and have a jury trial. They further understand that, in some instances, the costs of arbitration could exceed the costs of litigation and the right to discovery may be more limited in arbitration than in court.<!-- /react-text --></p><h3><!-- react-text: 272 -->13.3 Location<!-- /react-text --></h3><p><!-- react-text: 274 -->Binding arbitration shall take place in New York. You agree to submit to the personal jurisdiction of any federal or state court in New York County, New York, in order to compel arbitration, to stay proceedings pending arbitration, or to confirm, modify, vacate or enter judgment on the award entered by the arbitrator.<!-- /react-text --></p><h3><!-- react-text: 276 -->13.4 Class Action Waiver<!-- /react-text --></h3><p><!-- react-text: 278 -->The parties further agree that any arbitration shall be conducted in their individual capacities only and not as a class action or other representative action, and the parties expressly waive their right to file a class action or seek relief on a class basis. YOU AND METAMASK AGREE THAT EACH MAY BRING CLAIMS AGAINST THE OTHER ONLY IN YOUR OR ITS INDIVIDUAL CAPACITY, AND NOT AS A PLAINTIFF OR CLASS MEMBER IN ANY PURPORTED CLASS OR REPRESENTATIVE PROCEEDING. If any court or arbitrator determines that the class action waiver set forth in this paragraph is void or unenforceable for any reason or that an arbitration can proceed on a class basis, then the arbitration provision set forth above shall be deemed null and void in its entirety and the parties shall be deemed to have not agreed to arbitrate disputes.<!-- /react-text --></p><h3><!-- react-text: 280 -->13.5 Exception - Litigation of Intellectual Property and Small Claims Court Claims<!-- /react-text --></h3><p><!-- react-text: 282 -->Notwithstanding the parties' decision to resolve all disputes through arbitration, either party may bring an action in state or federal court to protect its intellectual property rights ("intellectual property rights" means patents, copyrights, moral rights, trademarks, and trade secrets, but not privacy or publicity rights). Either party may also seek relief in a small claims court for disputes or claims within the scope of that courtās jurisdiction.<!-- /react-text --></p><h3><!-- react-text: 284 -->13.6 30-Day Right to Opt Out<!-- /react-text --></h3><p><!-- react-text: 286 -->You have the right to opt-out and not be bound by the arbitration and class action waiver provisions set forth above by sending written notice of your decision to opt-out to the following address: MetaMask ā
ConsenSys, 49 Bogart Street, Brooklyn NY 11206 and via email at legal-opt@metamask.io. The notice must be sent within 30 days of September 6, 2016 or your first use of the Service, whichever is later, otherwise you shall be bound to arbitrate disputes in accordance with the terms of those paragraphs. If you opt-out of these arbitration provisions, MetaMask also will not be bound by them.<!-- /react-text --></p><h3><!-- react-text: 288 -->13.7 Changes to This Section<!-- /react-text --></h3><p><!-- react-text: 290 -->MetaMask will provide 60-daysā notice of any changes to this section. Changes will become effective on the 60th day, and will apply prospectively only to any claims arising after the 60th day.<!-- /react-text --></p><p><!-- react-text: 292 -->For any dispute not subject to arbitration you and MetaMask agree to submit to the personal and exclusive jurisdiction of and venue in the federal and state courts located in New York, New York. You further agree to accept service of process by mail, and hereby waive any and all jurisdictional and venue defenses otherwise available.<!-- /react-text --></p><p><!-- react-text: 294 -->The Terms and the relationship between you and MetaMask shall be governed by the laws of the State of New York without regard to conflict of law provisions.<!-- /react-text --></p><h2><!-- react-text: 296 -->14. General Information<!-- /react-text --></h2><h3><!-- react-text: 298 -->14.1 Entire Agreement<!-- /react-text --></h3><p><!-- react-text: 300 -->These Terms (and any additional terms, rules and conditions of participation that MetaMask may post on the Service) constitute the entire agreement between you and MetaMask with respect to the Service and supersedes any prior agreements, oral or written, between you and MetaMask. In the event of a conflict between these Terms and the additional terms, rules and conditions of participation, the latter will prevail over the Terms to the extent of the conflict.<!-- /react-text --></p><h3><!-- react-text: 302 -->14.2 Waiver and Severability of Terms<!-- /react-text --></h3><p><!-- react-text: 304 -->The failure of MetaMask to exercise or enforce any right or provision of the Terms shall not constitute a waiver of such right or provision. If any provision of the Terms is found by an arbitrator or court of competent jurisdiction to be invalid, the parties nevertheless agree that the arbitrator or court should endeavor to give effect to the parties' intentions as reflected in the provision, and the other provisions of the Terms remain in full force and effect.<!-- /react-text --></p><h3><!-- react-text: 306 -->14.3 Statute of Limitations<!-- /react-text --></h3><p><!-- react-text: 308 -->You agree that regardless of any statute or law to the contrary, any claim or cause of action arising out of or related to the use of the Service or the Terms must be filed within one (1) year after such claim or cause of action arose or be forever barred.<!-- /react-text --></p><h3><!-- react-text: 310 -->14.4 Section Titles<!-- /react-text --></h3><p><!-- react-text: 312 -->The section titles in the Terms are for convenience only and have no legal or contractual effect.<!-- /react-text --></p><h3><!-- react-text: 314 -->14.5 Communications<!-- /react-text --></h3><p><!-- react-text: 316 -->Users with questions, complaints or claims with respect to the Service may contact us using the relevant contact information set forth above and at communications@metamask.io.<!-- /react-text --></p><h2><!-- react-text: 318 -->15 Related Links<!-- /react-text --></h2><p><strong><a href="https://metamask.io/terms.html"><!-- react-text: 322 -->Terms of Use<!-- /react-text --></a></strong></p><p><strong><a href="https://metamask.io/privacy.html"><!-- react-text: 326 -->Privacy<!-- /react-text --></a></strong></p><p><strong><a href="https://metamask.io/attributions.html"><!-- react-text: 330 -->Attributions<!-- /react-text --></a></strong></p></div><button class="first-time-flow__button" disabled="">Accept</button><div class="breadcrumbs"><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(216, 216, 216);"></div></div></div></div></div></div><div id="qunit-fixture" style="position: absolute; left: -10000px; top: -10000px; width: 1000px; height: 1000px;"></div></body>
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: true, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: true, keyringTypes: [..., ...], keyrings: [...], identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{betaUI: ...}, selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, noActiveNotices: false, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'document.body', <body>
<!-- The scripts need to be in the body DOM element, as some test running frameworks need the body
to have already been created so they can insert their magic into it. For example, if loaded
before body, Angular Scenario test framework fails to find the body and crashes and burns in
an epic manner. -->
<script src="context.js"></script>
<script type="text/javascript">
// Configure our Karma and set up bindings
window.__karma__.config = {"args":[],"useIframe":true,"runInParent":false,"captureConsole":true,"clearContext":true};
window.__karma__.setupContext(window);
// All served files with the latest timestamps
window.__karma__.files = {
'/base/node_modules/qunitjs/qunit/qunit.js': 'fca9a0ac0c00fe782af607f1058a7bf250e4eb89',
'/base/node_modules/karma-qunit/lib/adapter.js': '0932caacc3ac2a0121166f2adaa7d4da20d06400',
'/base/test/integration/jquery-3.1.0.min.js': 'c72c1735b4d903d90dd51225ebefb8c74ebbc51f',
'/base/dist/chrome/images/camera.svg': 'aea3fe0702ee785c3803e9f91c221363b5f8a48f',
'/base/dist/chrome/images/caret-right.svg': '2f6845dcf10e45b37eac6bbb0e5010b2dec844b8',
'/base/dist/chrome/images/check-white.svg': '641f01710954a0fdc66bb9210e9900352fd42e0a',
'/base/dist/chrome/images/coinbase logo.png': '7be6d292c58ad6780673b510ff48e50f8da41063',
'/base/dist/chrome/images/contract/1st.svg': '3c91b56563c4b78953527b413e01583e48c6131a',
'/base/dist/chrome/images/contract/BAT_icon.svg': 'a4f060dc999f740c1f7ac0ef0c6969968609951d',
'/base/dist/chrome/images/contract/CanYa.svg': '197f9ccd8d02f3b643497d5a5ad95d4637ec163a',
'/base/dist/chrome/images/contract/CryptoKitties-Kitty-13733.svg': '59c029f1768f1e58227b61a5b82932a8505577d2',
'/base/dist/chrome/images/contract/DGD.png': 'ec9abe3af51e0065dd975d54c31099571b5c7c6b',
'/base/dist/chrome/images/contract/Dentacoin.png': 'ea80e802aca945ba40dbb25b18b17419b4caea4d',
'/base/dist/chrome/images/contract/JETCOIN28.png': '3d0092ee99da1483f456f42435aa544c07754ca8',
'/base/dist/chrome/images/contract/MLNSymbol.png': '6a7e71568154f2a7173b6e8540e5d2672bb53eaf',
'/base/dist/chrome/images/contract/Maecenas.jpg': 'e50d833952ae4b30fb67d0e8912cd019475875c4',
'/base/dist/chrome/images/contract/XSC Logo.svg': 'e6b6d74d3bb3a75faecf2d35c2ad20a9b498266d',
'/base/dist/chrome/images/contract/appcoins.png': '3d37e890a7ffdad88f1f2e1b2510e544c224c9a8',
'/base/dist/chrome/images/contract/aragon_isotype.svg': 'e2a4e1a1d56eeb4cffa40941d9be5afb077fbd2a',
'/base/dist/chrome/images/contract/augur_logo.png': '22fbeeb59d0a4cbcec3ca93a4fe2d076c351cef4',
'/base/dist/chrome/images/contract/bancor.png': 'fb174770d397ec0de74bd85dff3a7f9b30467974',
'/base/dist/chrome/images/contract/bcap.svg': '197e81f2c63f7831ca683b3293c686e6689ff65c',
'/base/dist/chrome/images/contract/bcpt.svg': 'c100185d88cfaa363395ea3483161eaa44491d74',
'/base/dist/chrome/images/contract/bitclave.svg': '697d84fd1e4936237f47672ca4b4ca1b25b5ae29',
'/base/dist/chrome/images/contract/change.png': '02da9ccb0c22b2e051fa8d3f352f90c5150e9a2e',
'/base/dist/chrome/images/contract/chronobank.png': '2c503ecee398b7330ab3746e08f2217c5a659d04',
'/base/dist/chrome/images/contract/divi.svg': 'afa96e12ad1f69e947b7f29ec8afb28a7035be99',
'/base/dist/chrome/images/contract/ego_badge.png': 'e06b227bff7a1812017bfa0f7bf7c2e177c71b66',
'/base/dist/chrome/images/contract/ens.svg': '9aa5e2d304b4b379fe549c6e7cbf5cdc2c0beba8',
'/base/dist/chrome/images/contract/eos-logo.jpeg': '9f817382767827802791e83bfe7ec706597b8af2',
'/base/dist/chrome/images/contract/gee-icon.svg': '2bd4f022d7acfbe4100f5f8c8e8cd57f626571b4',
'/base/dist/chrome/images/contract/gnosis.svg': '45d9b68d255d9b88316cee5ccabd7efbe64410d5',
'/base/dist/chrome/images/contract/goldx.png': '3188c4d29dbe85ada01924ec267481fedb64bd6c',
'/base/dist/chrome/images/contract/golem.svg': 'bc4433ce5444f91192a262f6b1aa40455221f972',
'/base/dist/chrome/images/contract/guppy.png': '5008b02e1f33809499ded7882803cfe70236302a',
'/base/dist/chrome/images/contract/hg_gbt.png': '761c8ccd865cdc3f9259264c8c02a0e198bbdf6f',
'/base/dist/chrome/images/contract/hgt.png': '3b7e6a762695a2ae61113cadfa9d83f3982b02ad',
'/base/dist/chrome/images/contract/iconomi.png': 'a46371bfa658e6e983f32100f0f162d58c297c05',
'/base/dist/chrome/images/contract/indorseLogo.jpg': '54335760d34e6c83d288749177ab3a6117d46204',
'/base/dist/chrome/images/contract/logo-maker-4.svg': '2fbeea68ac720c18c9d170109f123a10efb68fd6',
'/base/dist/chrome/images/contract/lun.png': '88769688962f0d74c8ac19afe1f07ac3f951a886',
'/base/dist/chrome/images/contract/metamark.svg': '1e1be857d5131237efefa5f94d0b7da49ffdca98',
'/base/dist/chrome/images/contract/modum.svg': '689d6f7deabe079ee27a82975400ca592fb092a2',
'/base/dist/chrome/images/contract/ndc.png': 'a90b51de0d5e852db458f83d78319c15f00a2718',
'/base/dist/chrome/images/contract/playkey.svg': 'c4736351931b9d118325b1ea0765d340af86201d',
'/base/dist/chrome/images/contract/plutus-god.svg': '5d7759271f1811b60327db016a6278cd4888b70d',
'/base/dist/chrome/images/contract/qtum_28.png': '7bfd91a8dec20e79c7b6ec98f35fe145258c7636',
'/base/dist/chrome/images/contract/rfr.svg': '568fa7b5ff29859bc71d65eba01a26c59a8cd773',
'/base/dist/chrome/images/contract/rivetz.png': 'ed7cf4cb1458e78fc72474bbd0037efaa7035c89',
'/base/dist/chrome/images/contract/rlc.png': '60420bc1decf5fb8b324e0e56bf50e7f6387a68a',
'/base/dist/chrome/images/contract/singulardtv.svg': 'ac1c3a3191d2d609f04cf5ae9d4fbfbb73733699',
'/base/dist/chrome/images/contract/spectiv.svg': 'd7cd6e64fdee249b1669fa0e1a617da40ff9a13b',
'/base/dist/chrome/images/contract/swt.jpg': 'c2983ed76ff48b82da02f24d92230c8efee238f5',
'/base/dist/chrome/images/contract/taas-ico.png': 'dd230cda1cba300cb9c704fd4af8048346adaee0',
'/base/dist/chrome/images/contract/tkn.svg': 'bdce27ba259ee715b0853ea22c22a149d47ec8c7',
'/base/dist/chrome/images/contract/too-real.jpg': '84b6c663a45e94996c40d4f4e13afbe9a465b6c3',
'/base/dist/chrome/images/contract/tpt.png': 'd0a269ab4a1ad822304ed5d636698ce8d91c1c0c',
'/base/dist/chrome/images/contract/wings_logo.svg': '63f0af8e50b5f9a5b710d5ce331b91fec7e51b28',
'/base/dist/chrome/images/contract/wyvern-logo.svg': '83043e5b32b6da36a8767646487d783f56352616',
'/base/dist/chrome/images/contract/xaurum_logo.svg': '0d195b4e249dae1333c39a72cc8b84d8fd313870',
'/base/dist/chrome/images/copy.svg': '58a8c861415eba969910fa904ca10c5aa0c2e3c1',
'/base/dist/chrome/images/download.svg': 'e8f5586e81294d128c0762a955244c913fc4d73c',
'/base/dist/chrome/images/eth_logo.svg': 'a6664ec6593c91ae7bb93544482c99de8d5563a5',
'/base/dist/chrome/images/forward-carrat.svg': '37f746f6d2971f3f8234e3017d4208d393704189',
'/base/dist/chrome/images/help.svg': 'ab3eb9d86fe2c10755c961eaeb80858958c1779d',
'/base/dist/chrome/images/icon-128.png': '662efb263a6fa76b6bb31339836d90b44e0c0d2d',
'/base/dist/chrome/images/icon-16.png': 'd60ad50e7efa6e4cc9a06808a452c058dcc7add4',
'/base/dist/chrome/images/icon-19.png': 'eaec59e40776ab34ad5ff714274ca1ad994ad25d',
'/base/dist/chrome/images/icon-32.png': '26b13fc7d97334c871a25455627caa0cad8652d5',
'/base/dist/chrome/images/icon-38.png': '96ce5cc9b7dcac1a08cc758588b7bfdcb53556ab',
'/base/dist/chrome/images/icon-512.png': 'd8d32493653f206cb563a6b45bb637e319e9ad20',
'/base/dist/chrome/images/icon-64.png': 'efc74ddc4abc89a1e4a0fd19def49bfd5499b19c',
'/base/dist/chrome/images/import-account.svg': 'e8a535d4f29890067b589ab97ef23f8690f011ff',
'/base/dist/chrome/images/info-logo.png': '121b5a7992011658b1d86eecc797e7c2550fb6a9',
'/base/dist/chrome/images/key-32.png': '26bd05f2dfc5b55c4273f27e5bc555a1c51e0176',
'/base/dist/chrome/images/loading.svg': '4c8d643fb117b3e51eaa80cc18ab6dd272e6a018',
'/base/dist/chrome/images/lock.svg': 'f13082021e5eab0e2b3cf21d011bb2b9978f4389',
'/base/dist/chrome/images/metamask-fox.svg': '4a073b2cf87db09799464a2ee36a241a1a01b3c2',
'/base/dist/chrome/images/mm-bolt.svg': '18675cdd231aa8c69b09b02eb32e355fbf65784e',
'/base/dist/chrome/images/mm-info-icon.svg': '683cbab12683da5332caa2ee9432c6373aa7d82a',
'/base/dist/chrome/images/open.svg': 'a9ca666b9d0221deb5bda8fbabcdff3070df47ec',
'/base/dist/chrome/images/plus-btn-white.svg': 'eb835240b5dc251cf95d59e34f682e6aba05207c',
'/base/dist/chrome/images/popout.svg': '5e38580068461a520b0c961a120877b923b403d4',
'/base/dist/chrome/images/qr.svg': 'bbe790913a34493cc5aadcf5ebb5e5759454a893',
'/base/dist/chrome/images/settings.svg': '12cd795f357573ef7847f4c8a1f1001e4be469f9',
'/base/dist/chrome/images/shapeshift logo.png': '109e3fcfd4a25704a16a6445deb7dadb8fb25f44',
'/base/dist/chrome/images/switch_acc.svg': '1f5d625fdcc1ab4259a90fb1a596be7386236701',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Bold.otf': '6a77ba783da6ad8ee7a06a64bbd7dace9a5fabc1',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Regular.otf': 'ecc9ff92c8277352bc96aaa4f4764067343a531d',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Black.otf': 'bb9167a8352a73684f0cdb874d57d347c29bfb5c',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Italic.otf': 'ac6debc3b8afdcc5334080e8a521dc9175fecda9',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Light.otf': '405e0c4fe4c9eedb536861736c6e5ba0d73146a3',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Medium.otf': '586d5a2112b92d0c3ff36efe4b4d734069d0c1fd',
'/base/dist/chrome/fonts/DIN_OT/DINOT-2.otf': 'aa3ec55d6ccf78e81266bad81f900b08667b440d',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Bold 2.otf': 'e89df16966e287409ed8c042ad7d415b6269f178',
'/base/dist/chrome/fonts/DIN_OT/DINOT-BoldItalic.otf': 'a5bf296e3703d2fcd9305289e226e1adf323e4e8',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Italic 2.otf': '22a956f13c50eb7218ceb7822e293768ca84cc2f',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Medium 2.otf': 'eaafef7e2f3aa6756e13209988c71310620109dc',
'/base/dist/chrome/fonts/DIN_OT/DINOT-MediumItalic 2.otf': '6cd2990f33b8d47f5e8a31aaa8088956e7ea41da',
'/base/dist/chrome/fonts/Lato/Lato-Black.ttf': '573229cbc4622190a38adff3d906e0c1466802bd',
'/base/dist/chrome/fonts/Lato/Lato-BlackItalic.ttf': 'ce2095485c0274ed904e096b80448bc48f56c3bd',
'/base/dist/chrome/fonts/Lato/Lato-Bold.ttf': 'c330d59f3e64e07a2571c2ba4f4109b20a168f69',
'/base/dist/chrome/fonts/Lato/Lato-BoldItalic.ttf': '2007f546660221940e9dc6b9a3cae9b72fbe17af',
'/base/dist/chrome/fonts/Lato/Lato-Hairline.ttf': 'fa540e486ce62d6883201b0a545c4facf2511253',
'/base/dist/chrome/fonts/Lato/Lato-HairlineItalic.ttf': '4e75ebff548ef432bc417e8686d52ffb7c9cbe35',
'/base/dist/chrome/fonts/Lato/Lato-Italic.ttf': 'e4cea8035a258a869a6139fbf74e6d0c247bd49b',
'/base/dist/chrome/fonts/Lato/Lato-Light.ttf': '6eb95108fef81bd8cfbf7e20d4ca0634e5989019',
'/base/dist/chrome/fonts/Lato/Lato-LightItalic.ttf': '584f340776412f77f04de06ee04348ef823d5097',
'/base/dist/chrome/fonts/Lato/Lato-Regular.ttf': '127f241871a9fe42cd8d073a0835410f3824d57c',
'/base/dist/chrome/fonts/Lato/OFL.txt': 'dced1a41948e9968f9026cbc7ddabbf88e65423b',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.ttf': 'bf257f6f91f6522eccea6d4f28d57bb118c98729',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.woff': '94680ffdc29df984dd3effef0f5ac9a5be0fb81e',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.ttf': '7110c2daf5721fa5de10d9e98b492b0721343c56',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.woff': 'b905af2e22459d1763deb45bbabf9cb5e62842d8',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.ttf': '9ca420aa453eb243037970c0c1c1adfe289f510f',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.woff': '2fe29740deb363cb82e191a35abe80613a33f25a',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.ttf': '358a8b149974050dc0e16806387c1faec6c9d9db',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.woff': 'efd91310fbc04375d5133d340e2661dc5a512703',
'/base/dist/chrome/fonts/Montserrat/OFL.txt': 'eb0a40063182521fc42cecf8ffcd6a05a74023b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Black.ttf': '14701060227dbc4a4ec9901970e8a58bb136efd9',
'/base/dist/chrome/fonts/Roboto/Roboto-BlackItalic.ttf': '3009f8bc7f3aa84fd483469422442cc3789e0579',
'/base/dist/chrome/fonts/Roboto/Roboto-Bold.ttf': '6cbb57ba2355cf442e06899898ff5af55867103e',
'/base/dist/chrome/fonts/Roboto/Roboto-BoldItalic.ttf': 'cd6a28033099099036e2a2182c9c4475394deaad',
'/base/dist/chrome/fonts/Roboto/Roboto-Italic.ttf': '4c4faf7a3fae4d0b1474561f0080995d358861ac',
'/base/dist/chrome/fonts/Roboto/Roboto-Light.ttf': '191dda7a5142990cd980727d43b27e4802f0b321',
'/base/dist/chrome/fonts/Roboto/Roboto-LightItalic.ttf': '693445f41eaa750b789a77568f9d6d995e85e0b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Medium.ttf': 'adbc3bde424bcf7dbc38f148005c8319825891f2',
'/base/dist/chrome/fonts/Roboto/Roboto-MediumItalic.ttf': '75feb92a7fc61d00e8ca610a700344738ef5ae32',
'/base/dist/chrome/fonts/Roboto/Roboto-Regular.ttf': '1d1d41fcadc571decb6444211b7993b99ce926e2',
'/base/dist/chrome/fonts/Roboto/Roboto-Thin.ttf': 'f71ccd563f95ccc187cf4fe81287445e91f7121b',
'/base/dist/chrome/fonts/Roboto/Roboto-ThinItalic.ttf': 'e3fb2b2a0dc2daf84d79cfff4b345a2afac132bc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Bold.ttf': 'c348d9f1b95e103ac2d14d56682867368f385b1a',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-BoldItalic.ttf': '3bd9f2b8c65c4dd80f535b9ddd937784e0d71ce6',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Italic.ttf': '394439fa97f36bba80f061e32e46ead1650e798e',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Light.ttf': 'df222c27b5e41dc89ca76a4479c9dd3ae6c1acbc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-LightItalic.ttf': 'd974583f3217141e4fc04bf94c3c6f94d9f56f8f',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Regular.ttf': 'c722696501a8663d64208d754e4db8165d3936f6',
'/base/dist/mascara/ui.js': 'd0d629760d831fc76c8f3da53d8b76ae7bbde713',
'/base/dist/mascara/tests.js': 'fc42b0e335d55a01717f52e0baa685ec6457f512',
'/base/dist/mascara/background.js': 'b0ca60cd30e87210367273689695d8581e5c7464'
};
</script>
<!-- Dynamically replaced with <script> tags -->
<script type="text/javascript" src="/base/node_modules/qunitjs/qunit/qunit.js?fca9a0ac0c00fe782af607f1058a7bf250e4eb89" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/node_modules/karma-qunit/lib/adapter.js?0932caacc3ac2a0121166f2adaa7d4da20d06400" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/test/integration/jquery-3.1.0.min.js?c72c1735b4d903d90dd51225ebefb8c74ebbc51f" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/ui.js?d0d629760d831fc76c8f3da53d8b76ae7bbde713" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/tests.js?fc42b0e335d55a01717f52e0baa685ec6457f512" crossorigin="anonymous"></script>
<script type="text/javascript">
window.__karma__.loaded();
</script>
<div id="app-content"><div data-reactroot="" class="flex-column full-height mouse-user-styles" tabindex="0" style="overflow-x: hidden; position: relative; align-items: center;"><!-- react-empty: 2 --><div><style>
.sidebar-enter {
transition: transform 300ms ease-in-out;
transform: translateX(-100%);
}
.sidebar-enter.sidebar-enter-active {
transition: transform 300ms ease-in-out;
transform: translateX(0%);
}
.sidebar-leave {
transition: transform 200ms ease-out;
transform: translateX(0%);
}
.sidebar-leave.sidebar-leave-active {
transition: transform 200ms ease-out;
transform: translateX(-100%);
}
</style><span></span></div><div class=".menu-droppo-container network-droppo" style="position: absolute; top: 58px; min-width: 309px; z-index: 55;"><style>
.menu-droppo-enter {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
.menu-droppo-enter.menu-droppo-enter-active {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave.menu-droppo-leave-active {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
</style></div><noscript></noscript><div class="first-time-flow"><div class="tou"><div class=" identicon" style="display: flex; align-items: center; justify-content: center; height: 70px; width: 70px; border-radius: 35px; overflow: hidden;"><div style="border-radius: 50px; overflow: hidden; padding: 0px; margin: 0px; width: 70px; height: 70px; display: inline-block;"><svg height="100" version="1.1" width="100" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" style="overflow: hidden; position: relative;"><desc style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);">Created with RaphaĆ«l 2.2.0</desc><defs style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></defs><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#fb1845" stroke="none" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#f2ba02" stroke="none" transform="matrix(0.6538,0.7567,-0.7567,0.6538,32.5576,-23.7897)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#234fe1" stroke="none" transform="matrix(-0.9314,0.3639,-0.3639,-0.9314,67.0881,78.5589)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#c81438" stroke="none" transform="matrix(0.2296,-0.9733,0.9733,0.2296,3.2302,6.5324)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect></svg></div></div><div class="tou__title">Terms of Use</div><div class="tou__body markdown"><h1><!-- react-text: 129 -->Terms of Use<!-- /react-text --></h1><p><strong><!-- react-text: 131 -->THIS AGREEMENT IS SUBJECT TO BINDING ARBITRATION AND A WAIVER OF CLASS ACTION RIGHTS AS DETAILED IN SECTION 13. PLEASE READ THE AGREEMENT CAREFULLY.<!-- /react-text --></strong></p><p><em><!-- react-text: 133 -->Our Terms of Use have been updated as of September 5, 2016<!-- /react-text --></em></p><h2><!-- react-text: 135 -->1. Acceptance of Terms<!-- /react-text --></h2><p><!-- react-text: 137 -->MetaMask provides a platform for managing Ethereum (or "ETH") accounts, and allowing ordinary websites to interact with the Ethereum blockchain, while keeping the user in control over what transactions they approve, through our website located at<!-- /react-text --><a href="http://metamask.io"><!-- react-text: 139 --> <!-- /react-text --></a><a href="https://metamask.io/"><!-- react-text: 141 -->https://metamask.io/<!-- /react-text --></a><!-- react-text: 142 --> and browser plugin (the "Site") ā which includes text, images, audio, code and other materials (collectively, the āContentā) and all of the features, and services provided. The Site, and any other features, tools, materials, or other services offered from time to time by MetaMask are referred to here as the āService.ā Please read these Terms of Use (the āTermsā or āTerms of Useā) carefully before using the Service. By using or otherwise accessing the Services, or clicking to accept or agree to these Terms where that option is made available, you (1) accept and agree to these Terms (2) consent to the collection, use, disclosure and other handling of information as described in our Privacy Policy and (3) any additional terms, rules and conditions of participation issued by MetaMask from time to time. If you do not agree to the Terms, then you may not access or use the Content or Services.<!-- /react-text --></p><h2><!-- react-text: 144 -->2. Modification of Terms of Use<!-- /react-text --></h2><p><!-- react-text: 146 -->Except for Section 13, providing for binding arbitration and waiver of class action rights, MetaMask reserves the right, at its sole discretion, to modify or replace the Terms of Use at any time. The most current version of these Terms will be posted on our Site. You shall be responsible for reviewing and becoming familiar with any such modifications. Use of the Services by you after any modification to the Terms constitutes your acceptance of the Terms of Use as modified.<!-- /react-text --></p><h2><!-- react-text: 148 -->3. Eligibility<!-- /react-text --></h2><p><!-- react-text: 150 -->You hereby represent and warrant that you are fully able and competent to enter into the terms, conditions, obligations, affirmations, representations and warranties set forth in these Terms and to abide by and comply with these Terms.<!-- /react-text --></p><p><!-- react-text: 152 -->MetaMask is a global platform and by accessing the Content or Services, you are representing and warranting that, you are of the legal age of majority in your jurisdiction as is required to access such Services and Content and enter into arrangements as provided by the Service. You further represent that you are otherwise legally permitted to use the service in your jurisdiction including owning cryptographic tokens of value, and interacting with the Services or Content in any way. You further represent you are responsible for ensuring compliance with the laws of your jurisdiction and acknowledge that MetaMask is not liable for your compliance with such laws.<!-- /react-text --></p><h2><!-- react-text: 154 -->4 Account Password and Security<!-- /react-text --></h2><p><!-- react-text: 156 -->When setting up an account within MetaMask, you will be responsible for keeping your own account secrets, which may be a twelve-word seed phrase, an account file, or other locally stored secret information. MetaMask encrypts this information locally with a password you provide, that we never send to our servers. You agree to (a) never use the same password for MetaMask that you have ever used outside of this service; (b) keep your secret information and password confidential and do not share them with anyone else; (c) immediately notify MetaMask of any unauthorized use of your account or breach of security. MetaMask cannot and will not be liable for any loss or damage arising from your failure to comply with this section.<!-- /react-text --></p><h2><!-- react-text: 158 -->5. Representations, Warranties, and Risks<!-- /react-text --></h2><h3><!-- react-text: 160 -->5.1. Warranty Disclaimer<!-- /react-text --></h3><p><!-- react-text: 162 -->You expressly understand and agree that your use of the Service is at your sole risk. The Service (including the Service and the Content) are provided on an "AS IS" and "as available" basis, without warranties of any kind, either express or implied, including, without limitation, implied warranties of merchantability, fitness for a particular purpose or non-infringement. You acknowledge that MetaMask has no control over, and no duty to take any action regarding: which users gain access to or use the Service; what effects the Content may have on you; how you may interpret or use the Content; or what actions you may take as a result of having been exposed to the Content. You release MetaMask from all liability for you having acquired or not acquired Content through the Service. MetaMask makes no representations concerning any Content contained in or accessed through the Service, and MetaMask will not be responsible or liable for the accuracy, copyright compliance, legality or decency of material contained in or accessed through the Service.<!-- /react-text --></p><h3><!-- react-text: 164 -->5.2 Sophistication and Risk of Cryptographic Systems<!-- /react-text --></h3><p><!-- react-text: 166 -->By utilizing the Service or interacting with the Content or platform in any way, you represent that you understand the inherent risks associated with cryptographic systems; and warrant that you have an understanding of the usage and intricacies of native cryptographic tokens, like Ether (ETH) and Bitcoin (BTC), smart contract based tokens such as those that follow the Ethereum Token Standard (<!-- /react-text --><a href="https://github.com/ethereum/EIPs/issues/20"><!-- react-text: 168 -->https://github.com/ethereum/EIPs/issues/20<!-- /react-text --></a><!-- react-text: 169 -->), and blockchain-based software systems.<!-- /react-text --></p><h3><!-- react-text: 171 -->5.3 Risk of Regulatory Actions in One or More Jurisdictions<!-- /react-text --></h3><p><!-- react-text: 173 -->MetaMask and ETH could be impacted by one or more regulatory inquiries or regulatory action, which could impede or limit the ability of MetaMask to continue to develop, or which could impede or limit your ability to access or use the Service or Ethereum blockchain.<!-- /react-text --></p><h3><!-- react-text: 175 -->5.4 Risk of Weaknesses or Exploits in the Field of Cryptography<!-- /react-text --></h3><p><!-- react-text: 177 -->You acknowledge and understand that Cryptography is a progressing field. Advances in code cracking or technical advances such as the development of quantum computers may present risks to cryptocurrencies and Services of Content, which could result in the theft or loss of your cryptographic tokens or property. To the extent possible, MetaMask intends to update the protocol underlying Services to account for any advances in cryptography and to incorporate additional security measures, but does not guarantee or otherwise represent full security of the system. By using the Service or accessing Content, you acknowledge these inherent risks.<!-- /react-text --></p><h3><!-- react-text: 179 -->5.5 Volatility of Crypto Currencies<!-- /react-text --></h3><p><!-- react-text: 181 -->You understand that Ethereum and other blockchain technologies and associated currencies or tokens are highly volatile due to many factors including but not limited to adoption, speculation, technology and security risks. You also acknowledge that the cost of transacting on such technologies is variable and may increase at any time causing impact to any activities taking place on the Ethereum blockchain. You acknowledge these risks and represent that MetaMask cannot be held liable for such fluctuations or increased costs.<!-- /react-text --></p><h3><!-- react-text: 183 -->5.6 Application Security<!-- /react-text --></h3><p><!-- react-text: 185 -->You acknowledge that Ethereum applications are code subject to flaws and acknowledge that you are solely responsible for evaluating any code provided by the Services or Content and the trustworthiness of any third-party websites, products, smart-contracts, or Content you access or use through the Service. You further expressly acknowledge and represent that Ethereum applications can be written maliciously or negligently, that MetaMask cannot be held liable for your interaction with such applications and that such applications may cause the loss of property or even identity. This warning and others later provided by MetaMask in no way evidence or represent an on-going duty to alert you to all of the potential risks of utilizing the Service or Content.<!-- /react-text --></p><h2><!-- react-text: 187 -->6. Indemnity<!-- /react-text --></h2><p><!-- react-text: 189 -->You agree to release and to indemnify, defend and hold harmless MetaMask and its parents, subsidiaries, affiliates and agencies, as well as the officers, directors, employees, shareholders and representatives of any of the foregoing entities, from and against any and all losses, liabilities, expenses, damages, costs (including attorneysā fees and court costs) claims or actions of any kind whatsoever arising or resulting from your use of the Service, your violation of these Terms of Use, and any of your acts or omissions that implicate publicity rights, defamation or invasion of privacy. MetaMask reserves the right, at its own expense, to assume exclusive defense and control of any matter otherwise subject to indemnification by you and, in such case, you agree to cooperate with MetaMask in the defense of such matter.<!-- /react-text --></p><h2><!-- react-text: 191 -->7. Limitation on liability<!-- /react-text --></h2><p><!-- react-text: 193 -->YOU ACKNOWLEDGE AND AGREE THAT YOU ASSUME FULL RESPONSIBILITY FOR YOUR USE OF THE SITE AND SERVICE. YOU ACKNOWLEDGE AND AGREE THAT ANY INFORMATION YOU SEND OR RECEIVE DURING YOUR USE OF THE SITE AND SERVICE MAY NOT BE SECURE AND MAY BE INTERCEPTED OR LATER ACQUIRED BY UNAUTHORIZED PARTIES. YOU ACKNOWLEDGE AND AGREE THAT YOUR USE OF THE SITE AND SERVICE IS AT YOUR OWN RISK. RECOGNIZING SUCH, YOU UNDERSTAND AND AGREE THAT, TO THE FULLEST EXTENT PERMITTED BY APPLICABLE LAW, NEITHER METAMASK NOR ITS SUPPLIERS OR LICENSORS WILL BE LIABLE TO YOU FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, CONSEQUENTIAL, PUNITIVE, EXEMPLARY OR OTHER DAMAGES OF ANY KIND, INCLUDING WITHOUT LIMITATION DAMAGES FOR LOSS OF PROFITS, GOODWILL, USE, DATA OR OTHER TANGIBLE OR INTANGIBLE LOSSES OR ANY OTHER DAMAGES BASED ON CONTRACT, TORT, STRICT LIABILITY OR ANY OTHER THEORY (EVEN IF METAMASK HAD BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES), RESULTING FROM THE SITE OR SERVICE; THE USE OR THE INABILITY TO USE THE SITE OR SERVICE; UNAUTHORIZED ACCESS TO OR ALTERATION OF YOUR TRANSMISSIONS OR DATA; STATEMENTS OR CONDUCT OF ANY THIRD PARTY ON THE SITE OR SERVICE; ANY ACTIONS WE TAKE OR FAIL TO TAKE AS A RESULT OF COMMUNICATIONS YOU SEND TO US; HUMAN ERRORS; TECHNICAL MALFUNCTIONS; FAILURES, INCLUDING PUBLIC UTILITY OR TELEPHONE OUTAGES; OMISSIONS, INTERRUPTIONS, LATENCY, DELETIONS OR DEFECTS OF ANY DEVICE OR NETWORK, PROVIDERS, OR SOFTWARE (INCLUDING, BUT NOT LIMITED TO, THOSE THAT DO NOT PERMIT PARTICIPATION IN THE SERVICE); ANY INJURY OR DAMAGE TO COMPUTER EQUIPMENT; INABILITY TO FULLY ACCESS THE SITE OR SERVICE OR ANY OTHER WEBSITE; THEFT, TAMPERING, DESTRUCTION, OR UNAUTHORIZED ACCESS TO, IMAGES OR OTHER CONTENT OF ANY KIND; DATA THAT IS PROCESSED LATE OR INCORRECTLY OR IS INCOMPLETE OR LOST; TYPOGRAPHICAL, PRINTING OR OTHER ERRORS, OR ANY COMBINATION THEREOF; OR ANY OTHER MATTER RELATING TO THE SITE OR SERVICE.<!-- /react-text --></p><p><!-- react-text: 195 -->SOME JURISDICTIONS DO NOT ALLOW THE EXCLUSION OF CERTAIN WARRANTIES OR THE LIMITATION OR EXCLUSION OF LIABILITY FOR INCIDENTAL OR CONSEQUENTIAL DAMAGES. ACCORDINGLY, SOME OF THE ABOVE LIMITATIONS MAY NOT APPLY TO YOU.<!-- /react-text --></p><h2><!-- react-text: 197 -->8. Our Proprietary Rights<!-- /react-text --></h2><p><!-- react-text: 199 -->All title, ownership and intellectual property rights in and to the Service are owned by MetaMask or its licensors. You acknowledge and agree that the Service contains proprietary and confidential information that is protected by applicable intellectual property and other laws. Except as expressly authorized by MetaMask, you agree not to copy, modify, rent, lease, loan, sell, distribute, perform, display or create derivative works based on the Service, in whole or in part. MetaMask issues a license for MetaMask, found <!-- /react-text --><a href="https://github.com/MetaMask/metamask-plugin/blob/master/LICENSE"><!-- react-text: 201 -->here<!-- /react-text --></a><!-- react-text: 202 -->. For information on other licenses utilized in the development of MetaMask, please see our attribution page at: <!-- /react-text --><a href="https://metamask.io/attributions.html"><!-- react-text: 204 -->https://metamask.io/attributions.html<!-- /react-text --></a></p><h2><!-- react-text: 206 -->9. Links<!-- /react-text --></h2><p><!-- react-text: 208 -->The Service provides, or third parties may provide, links to other World Wide Web or accessible sites, applications or resources. Because MetaMask has no control over such sites, applications and resources, you acknowledge and agree that MetaMask is not responsible for the availability of such external sites, applications or resources, and does not endorse and is not responsible or liable for any content, advertising, products or other materials on or available from such sites or resources. You further acknowledge and agree that MetaMask shall not be responsible or liable, directly or indirectly, for any damage or loss caused or alleged to be caused by or in connection with use of or reliance on any such content, goods or services available on or through any such site or resource.<!-- /react-text --></p><h2><!-- react-text: 210 -->10. Termination and Suspension<!-- /react-text --></h2><p><!-- react-text: 212 -->MetaMask may terminate or suspend all or part of the Service and your MetaMask access immediately, without prior notice or liability, if you breach any of the terms or conditions of the Terms. Upon termination of your access, your right to use the Service will immediately cease.<!-- /react-text --></p><p><!-- react-text: 214 -->The following provisions of the Terms survive any termination of these Terms: INDEMNITY; WARRANTY DISCLAIMERS; LIMITATION ON LIABILITY; OUR PROPRIETARY RIGHTS; LINKS; TERMINATION; NO THIRD PARTY BENEFICIARIES; BINDING ARBITRATION AND CLASS ACTION WAIVER; GENERAL INFORMATION.<!-- /react-text --></p><h2><!-- react-text: 216 -->11. No Third Party Beneficiaries<!-- /react-text --></h2><p><!-- react-text: 218 -->You agree that, except as otherwise expressly provided in these Terms, there shall be no third party beneficiaries to the Terms.<!-- /react-text --></p><h2><!-- react-text: 220 -->12. Notice and Procedure For Making Claims of Copyright Infringement<!-- /react-text --></h2><p><!-- react-text: 222 -->If you believe that your copyright or the copyright of a person on whose behalf you are authorized to act has been infringed, please provide MetaMaskās Copyright Agent a written Notice containing the following information:<!-- /react-text --></p><p><!-- react-text: 224 -->Ā· an electronic or physical signature of the person authorized to act on behalf of the owner of the copyright or other intellectual property interest;<!-- /react-text --></p><p><!-- react-text: 226 -->Ā· a description of the copyrighted work or other intellectual property that you claim has been infringed;<!-- /react-text --></p><p><!-- react-text: 228 -->Ā· a description of where the material that you claim is infringing is located on the Service;<!-- /react-text --></p><p><!-- react-text: 230 -->Ā· your address, telephone number, and email address;<!-- /react-text --></p><p><!-- react-text: 232 -->Ā· a statement by you that you have a good faith belief that the disputed use is not authorized by the copyright owner, its agent, or the law;<!-- /react-text --></p><p><!-- react-text: 234 -->Ā· a statement by you, made under penalty of perjury, that the above information in your Notice is accurate and that you are the copyright or intellectual property owner or authorized to act on the copyright or intellectual property owner's behalf.<!-- /react-text --></p><p><!-- react-text: 236 -->MetaMaskās Copyright Agent can be reached at:<!-- /react-text --></p><p><!-- react-text: 238 -->Email: copyright <!-- /react-text --><a href=""><!-- react-text: 240 -->at<!-- /react-text --></a><!-- react-text: 241 --> metamask <!-- /react-text --><a href=""><!-- react-text: 243 -->dot<!-- /react-text --></a><!-- react-text: 244 --> io<!-- /react-text --></p><p><!-- react-text: 246 -->Mail:<!-- /react-text --></p><p><!-- react-text: 248 -->Attention:<!-- /react-text --></p><p><!-- react-text: 250 -->MetaMask Copyright ā
ConsenSys<!-- /react-text --></p><p><!-- react-text: 252 -->49 Bogart Street<!-- /react-text --></p><p><!-- react-text: 254 -->Brooklyn, NY 11206<!-- /react-text --></p><h2><!-- react-text: 256 -->13. Binding Arbitration and Class Action Waiver<!-- /react-text --></h2><p><!-- react-text: 258 -->PLEASE READ THIS SECTION CAREFULLY ā IT MAY SIGNIFICANTLY AFFECT YOUR LEGAL RIGHTS, INCLUDING YOUR RIGHT TO FILE A LAWSUIT IN COURT<!-- /react-text --></p><h3><!-- react-text: 260 -->13.1 Initial Dispute Resolution<!-- /react-text --></h3><p><!-- react-text: 262 -->The parties shall use their best efforts to engage directly to settle any dispute, claim, question, or disagreement and engage in good faith negotiations which shall be a condition to either party initiating a lawsuit or arbitration.<!-- /react-text --></p><h3><!-- react-text: 264 -->13.2 Binding Arbitration<!-- /react-text --></h3><p><!-- react-text: 266 -->If the parties do not reach an agreed upon solution within a period of 30 days from the time informal dispute resolution under the Initial Dispute Resolution provision begins, then either party may initiate binding arbitration as the sole means to resolve claims, subject to the terms set forth below. Specifically, all claims arising out of or relating to these Terms (including their formation, performance and breach), the partiesā relationship with each other and/or your use of the Service shall be finally settled by binding arbitration administered by the American Arbitration Association in accordance with the provisions of its Commercial Arbitration Rules and the supplementary procedures for consumer related disputes of the American Arbitration Association (the "AAA"), excluding any rules or procedures governing or permitting class actions.<!-- /react-text --></p><p><!-- react-text: 268 -->The arbitrator, and not any federal, state or local court or agency, shall have exclusive authority to resolve all disputes arising out of or relating to the interpretation, applicability, enforceability or formation of these Terms, including, but not limited to any claim that all or any part of these Terms are void or voidable, or whether a claim is subject to arbitration. The arbitrator shall be empowered to grant whatever relief would be available in a court under law or in equity. The arbitratorās award shall be written, and binding on the parties and may be entered as a judgment in any court of competent jurisdiction.<!-- /react-text --></p><p><!-- react-text: 270 -->The parties understand that, absent this mandatory provision, they would have the right to sue in court and have a jury trial. They further understand that, in some instances, the costs of arbitration could exceed the costs of litigation and the right to discovery may be more limited in arbitration than in court.<!-- /react-text --></p><h3><!-- react-text: 272 -->13.3 Location<!-- /react-text --></h3><p><!-- react-text: 274 -->Binding arbitration shall take place in New York. You agree to submit to the personal jurisdiction of any federal or state court in New York County, New York, in order to compel arbitration, to stay proceedings pending arbitration, or to confirm, modify, vacate or enter judgment on the award entered by the arbitrator.<!-- /react-text --></p><h3><!-- react-text: 276 -->13.4 Class Action Waiver<!-- /react-text --></h3><p><!-- react-text: 278 -->The parties further agree that any arbitration shall be conducted in their individual capacities only and not as a class action or other representative action, and the parties expressly waive their right to file a class action or seek relief on a class basis. YOU AND METAMASK AGREE THAT EACH MAY BRING CLAIMS AGAINST THE OTHER ONLY IN YOUR OR ITS INDIVIDUAL CAPACITY, AND NOT AS A PLAINTIFF OR CLASS MEMBER IN ANY PURPORTED CLASS OR REPRESENTATIVE PROCEEDING. If any court or arbitrator determines that the class action waiver set forth in this paragraph is void or unenforceable for any reason or that an arbitration can proceed on a class basis, then the arbitration provision set forth above shall be deemed null and void in its entirety and the parties shall be deemed to have not agreed to arbitrate disputes.<!-- /react-text --></p><h3><!-- react-text: 280 -->13.5 Exception - Litigation of Intellectual Property and Small Claims Court Claims<!-- /react-text --></h3><p><!-- react-text: 282 -->Notwithstanding the parties' decision to resolve all disputes through arbitration, either party may bring an action in state or federal court to protect its intellectual property rights ("intellectual property rights" means patents, copyrights, moral rights, trademarks, and trade secrets, but not privacy or publicity rights). Either party may also seek relief in a small claims court for disputes or claims within the scope of that courtās jurisdiction.<!-- /react-text --></p><h3><!-- react-text: 284 -->13.6 30-Day Right to Opt Out<!-- /react-text --></h3><p><!-- react-text: 286 -->You have the right to opt-out and not be bound by the arbitration and class action waiver provisions set forth above by sending written notice of your decision to opt-out to the following address: MetaMask ā
ConsenSys, 49 Bogart Street, Brooklyn NY 11206 and via email at legal-opt@metamask.io. The notice must be sent within 30 days of September 6, 2016 or your first use of the Service, whichever is later, otherwise you shall be bound to arbitrate disputes in accordance with the terms of those paragraphs. If you opt-out of these arbitration provisions, MetaMask also will not be bound by them.<!-- /react-text --></p><h3><!-- react-text: 288 -->13.7 Changes to This Section<!-- /react-text --></h3><p><!-- react-text: 290 -->MetaMask will provide 60-daysā notice of any changes to this section. Changes will become effective on the 60th day, and will apply prospectively only to any claims arising after the 60th day.<!-- /react-text --></p><p><!-- react-text: 292 -->For any dispute not subject to arbitration you and MetaMask agree to submit to the personal and exclusive jurisdiction of and venue in the federal and state courts located in New York, New York. You further agree to accept service of process by mail, and hereby waive any and all jurisdictional and venue defenses otherwise available.<!-- /react-text --></p><p><!-- react-text: 294 -->The Terms and the relationship between you and MetaMask shall be governed by the laws of the State of New York without regard to conflict of law provisions.<!-- /react-text --></p><h2><!-- react-text: 296 -->14. General Information<!-- /react-text --></h2><h3><!-- react-text: 298 -->14.1 Entire Agreement<!-- /react-text --></h3><p><!-- react-text: 300 -->These Terms (and any additional terms, rules and conditions of participation that MetaMask may post on the Service) constitute the entire agreement between you and MetaMask with respect to the Service and supersedes any prior agreements, oral or written, between you and MetaMask. In the event of a conflict between these Terms and the additional terms, rules and conditions of participation, the latter will prevail over the Terms to the extent of the conflict.<!-- /react-text --></p><h3><!-- react-text: 302 -->14.2 Waiver and Severability of Terms<!-- /react-text --></h3><p><!-- react-text: 304 -->The failure of MetaMask to exercise or enforce any right or provision of the Terms shall not constitute a waiver of such right or provision. If any provision of the Terms is found by an arbitrator or court of competent jurisdiction to be invalid, the parties nevertheless agree that the arbitrator or court should endeavor to give effect to the parties' intentions as reflected in the provision, and the other provisions of the Terms remain in full force and effect.<!-- /react-text --></p><h3><!-- react-text: 306 -->14.3 Statute of Limitations<!-- /react-text --></h3><p><!-- react-text: 308 -->You agree that regardless of any statute or law to the contrary, any claim or cause of action arising out of or related to the use of the Service or the Terms must be filed within one (1) year after such claim or cause of action arose or be forever barred.<!-- /react-text --></p><h3><!-- react-text: 310 -->14.4 Section Titles<!-- /react-text --></h3><p><!-- react-text: 312 -->The section titles in the Terms are for convenience only and have no legal or contractual effect.<!-- /react-text --></p><h3><!-- react-text: 314 -->14.5 Communications<!-- /react-text --></h3><p><!-- react-text: 316 -->Users with questions, complaints or claims with respect to the Service may contact us using the relevant contact information set forth above and at communications@metamask.io.<!-- /react-text --></p><h2><!-- react-text: 318 -->15 Related Links<!-- /react-text --></h2><p><strong><a href="https://metamask.io/terms.html"><!-- react-text: 322 -->Terms of Use<!-- /react-text --></a></strong></p><p><strong><a href="https://metamask.io/privacy.html"><!-- react-text: 326 -->Privacy<!-- /react-text --></a></strong></p><p><strong><a href="https://metamask.io/attributions.html"><!-- react-text: 330 -->Attributions<!-- /react-text --></a></strong></p></div><button class="first-time-flow__button" disabled="">Accept</button><div class="breadcrumbs"><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(216, 216, 216);"></div></div></div></div></div></div><div id="qunit-fixture" style="position: absolute; left: -10000px; top: -10000px; width: 1000px; height: 1000px;"></div></body>
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SHOW_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SHOW_LOADING_INDICATION', value: undefined}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'background.markNoticeRead'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got SET_MOUSE_USER_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'SET_MOUSE_USER_STATE', value: true}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: true, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'notice'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', true
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got HIDE_LOADING_INDICATION'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: false, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'notice'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: true, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'HIDE_LOADING_INDICATION'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got CLEAR_NOTICES'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: true, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'notice'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: false, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'CLEAR_NOTICES'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: true, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KERROR: 'Warning: setState(...): Can only update a mounted or mounting component. This usually means you called setState() on an unmounted component. This is a no-op. Please check the code for the NoticeScreen component.'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.props*************************', Object{children: undefined, isInitialized: true, seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert', noActiveNotices: true, address: '0x77abfc38dea988c2f9602daa758867918b877f3a', forgottenPassword: undefined, isLoading: false, leaveImportSeedScreenState: function leaveImportSeedScreenState() { ... }, goToBuyEtherView: function goToBuyEtherView(address) { ... }}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************this.state*************************', Object{screenType: 'back_up_phrase'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '*************************isLoading*************************', false
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '**************************************************************************'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'App Reducer got UPDATE_METAMASK_STATE'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx-helper called with params:'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: Object{unapprovedTxs: Object{}, unapprovedMsgs: Object{}, personalMsgs: Object{}, typedMessages: Object{}, network: '4'}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unapproved txs'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned personal messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'tx helper found 0 unsigned typed messages'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'Main ui render function'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'rendering primary'
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c prev state', 'color: #9E9E9E; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: true, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c action ', 'color: #03A9F4; font-weight: bold', Object{type: 'UPDATE_METAMASK_STATE', value: Object{isInitialized: true, provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', unapprovedTxs: Object{}, selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, isUnlocked: true, keyringTypes: [..., ...], keyrings: [...], identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, computedBalances: Object{}, frequentRpcList: [], currentAccountTab: 'history', tokens: [], useBlockie: false, featureFlags: Object{betaUI: ...}, selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', addressBook: [], currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, noActiveNotices: true, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: '%c next state', 'color: #4CAF50; font-weight: bold', Object{metamask: Object{isInitialized: true, isUnlocked: true, isAccountMenuOpen: false, isMascara: true, isPopup: false, rpcTarget: 'https://rawtestrpc.metamask.io/', identities: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, unapprovedTxs: Object{}, noActiveNotices: true, lastUnreadNotice: Object{read: ..., date: ..., title: ..., body: ..., id: ...}, frequentRpcList: [], addressBook: [], selectedTokenAddress: null, tokenExchangeRates: Object{}, tokens: [], send: Object{gasLimit: ..., gasPrice: ..., gasTotal: ..., tokenBalance: ..., from: ..., to: ..., amount: ..., memo: ..., errors: ..., maxModeOn: ..., editingTransactionId: ...}, coinOptions: Object{}, useBlockie: false, featureFlags: Object{betaUI: ...}, networkEndpointType: 'networkBeta', provider: Object{type: ..., rpcTarget: ...}, network: '4', accounts: Object{0x77abfc38dea988c2f9602daa758867918b877f3a: ...}, currentBlockGasLimit: '0x6c4171', selectedAddressTxList: [], unapprovedMsgs: Object{}, unapprovedMsgCount: 0, unapprovedPersonalMsgs: Object{}, unapprovedPersonalMsgCount: 0, unapprovedTypedMessages: Object{}, unapprovedTypedMessagesCount: 0, keyringTypes: [..., ...], keyrings: [...], computedBalances: Object{}, currentAccountTab: 'history', currentCurrency: 'usd', conversionRate: 923.81, conversionDate: 1519153165, infuraNetworkStatus: Object{}, recentBlocks: [..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ..., ...], shapeShiftTxList: [], lostAccounts: [], selectedAddress: '0x77abfc38dea988c2f9602daa758867918b877f3a', seedWords: 'seven lobster found cream soccer country indicate history track yellow chat desert'}, appState: Object{shouldClose: false, menuOpen: false, modal: Object{open: ..., modalState: ..., previousModalState: ...}, sidebarOpen: false, networkDropdownOpen: false, currentView: Object{name: ..., detailView: ..., context: ...}, accountDetail: Object{subview: ...}, transForward: true, isLoading: false, warning: null, buyView: Object{}, isMouseUser: true, loadingMessage: undefined}, networkVersion: undefined, identities: Object{}}
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KLOG: 'document.body', <body>
<!-- The scripts need to be in the body DOM element, as some test running frameworks need the body
to have already been created so they can insert their magic into it. For example, if loaded
before body, Angular Scenario test framework fails to find the body and crashes and burns in
an epic manner. -->
<script src="context.js"></script>
<script type="text/javascript">
// Configure our Karma and set up bindings
window.__karma__.config = {"args":[],"useIframe":true,"runInParent":false,"captureConsole":true,"clearContext":true};
window.__karma__.setupContext(window);
// All served files with the latest timestamps
window.__karma__.files = {
'/base/node_modules/qunitjs/qunit/qunit.js': 'fca9a0ac0c00fe782af607f1058a7bf250e4eb89',
'/base/node_modules/karma-qunit/lib/adapter.js': '0932caacc3ac2a0121166f2adaa7d4da20d06400',
'/base/test/integration/jquery-3.1.0.min.js': 'c72c1735b4d903d90dd51225ebefb8c74ebbc51f',
'/base/dist/chrome/images/camera.svg': 'aea3fe0702ee785c3803e9f91c221363b5f8a48f',
'/base/dist/chrome/images/caret-right.svg': '2f6845dcf10e45b37eac6bbb0e5010b2dec844b8',
'/base/dist/chrome/images/check-white.svg': '641f01710954a0fdc66bb9210e9900352fd42e0a',
'/base/dist/chrome/images/coinbase logo.png': '7be6d292c58ad6780673b510ff48e50f8da41063',
'/base/dist/chrome/images/contract/1st.svg': '3c91b56563c4b78953527b413e01583e48c6131a',
'/base/dist/chrome/images/contract/BAT_icon.svg': 'a4f060dc999f740c1f7ac0ef0c6969968609951d',
'/base/dist/chrome/images/contract/CanYa.svg': '197f9ccd8d02f3b643497d5a5ad95d4637ec163a',
'/base/dist/chrome/images/contract/CryptoKitties-Kitty-13733.svg': '59c029f1768f1e58227b61a5b82932a8505577d2',
'/base/dist/chrome/images/contract/DGD.png': 'ec9abe3af51e0065dd975d54c31099571b5c7c6b',
'/base/dist/chrome/images/contract/Dentacoin.png': 'ea80e802aca945ba40dbb25b18b17419b4caea4d',
'/base/dist/chrome/images/contract/JETCOIN28.png': '3d0092ee99da1483f456f42435aa544c07754ca8',
'/base/dist/chrome/images/contract/MLNSymbol.png': '6a7e71568154f2a7173b6e8540e5d2672bb53eaf',
'/base/dist/chrome/images/contract/Maecenas.jpg': 'e50d833952ae4b30fb67d0e8912cd019475875c4',
'/base/dist/chrome/images/contract/XSC Logo.svg': 'e6b6d74d3bb3a75faecf2d35c2ad20a9b498266d',
'/base/dist/chrome/images/contract/appcoins.png': '3d37e890a7ffdad88f1f2e1b2510e544c224c9a8',
'/base/dist/chrome/images/contract/aragon_isotype.svg': 'e2a4e1a1d56eeb4cffa40941d9be5afb077fbd2a',
'/base/dist/chrome/images/contract/augur_logo.png': '22fbeeb59d0a4cbcec3ca93a4fe2d076c351cef4',
'/base/dist/chrome/images/contract/bancor.png': 'fb174770d397ec0de74bd85dff3a7f9b30467974',
'/base/dist/chrome/images/contract/bcap.svg': '197e81f2c63f7831ca683b3293c686e6689ff65c',
'/base/dist/chrome/images/contract/bcpt.svg': 'c100185d88cfaa363395ea3483161eaa44491d74',
'/base/dist/chrome/images/contract/bitclave.svg': '697d84fd1e4936237f47672ca4b4ca1b25b5ae29',
'/base/dist/chrome/images/contract/change.png': '02da9ccb0c22b2e051fa8d3f352f90c5150e9a2e',
'/base/dist/chrome/images/contract/chronobank.png': '2c503ecee398b7330ab3746e08f2217c5a659d04',
'/base/dist/chrome/images/contract/divi.svg': 'afa96e12ad1f69e947b7f29ec8afb28a7035be99',
'/base/dist/chrome/images/contract/ego_badge.png': 'e06b227bff7a1812017bfa0f7bf7c2e177c71b66',
'/base/dist/chrome/images/contract/ens.svg': '9aa5e2d304b4b379fe549c6e7cbf5cdc2c0beba8',
'/base/dist/chrome/images/contract/eos-logo.jpeg': '9f817382767827802791e83bfe7ec706597b8af2',
'/base/dist/chrome/images/contract/gee-icon.svg': '2bd4f022d7acfbe4100f5f8c8e8cd57f626571b4',
'/base/dist/chrome/images/contract/gnosis.svg': '45d9b68d255d9b88316cee5ccabd7efbe64410d5',
'/base/dist/chrome/images/contract/goldx.png': '3188c4d29dbe85ada01924ec267481fedb64bd6c',
'/base/dist/chrome/images/contract/golem.svg': 'bc4433ce5444f91192a262f6b1aa40455221f972',
'/base/dist/chrome/images/contract/guppy.png': '5008b02e1f33809499ded7882803cfe70236302a',
'/base/dist/chrome/images/contract/hg_gbt.png': '761c8ccd865cdc3f9259264c8c02a0e198bbdf6f',
'/base/dist/chrome/images/contract/hgt.png': '3b7e6a762695a2ae61113cadfa9d83f3982b02ad',
'/base/dist/chrome/images/contract/iconomi.png': 'a46371bfa658e6e983f32100f0f162d58c297c05',
'/base/dist/chrome/images/contract/indorseLogo.jpg': '54335760d34e6c83d288749177ab3a6117d46204',
'/base/dist/chrome/images/contract/logo-maker-4.svg': '2fbeea68ac720c18c9d170109f123a10efb68fd6',
'/base/dist/chrome/images/contract/lun.png': '88769688962f0d74c8ac19afe1f07ac3f951a886',
'/base/dist/chrome/images/contract/metamark.svg': '1e1be857d5131237efefa5f94d0b7da49ffdca98',
'/base/dist/chrome/images/contract/modum.svg': '689d6f7deabe079ee27a82975400ca592fb092a2',
'/base/dist/chrome/images/contract/ndc.png': 'a90b51de0d5e852db458f83d78319c15f00a2718',
'/base/dist/chrome/images/contract/playkey.svg': 'c4736351931b9d118325b1ea0765d340af86201d',
'/base/dist/chrome/images/contract/plutus-god.svg': '5d7759271f1811b60327db016a6278cd4888b70d',
'/base/dist/chrome/images/contract/qtum_28.png': '7bfd91a8dec20e79c7b6ec98f35fe145258c7636',
'/base/dist/chrome/images/contract/rfr.svg': '568fa7b5ff29859bc71d65eba01a26c59a8cd773',
'/base/dist/chrome/images/contract/rivetz.png': 'ed7cf4cb1458e78fc72474bbd0037efaa7035c89',
'/base/dist/chrome/images/contract/rlc.png': '60420bc1decf5fb8b324e0e56bf50e7f6387a68a',
'/base/dist/chrome/images/contract/singulardtv.svg': 'ac1c3a3191d2d609f04cf5ae9d4fbfbb73733699',
'/base/dist/chrome/images/contract/spectiv.svg': 'd7cd6e64fdee249b1669fa0e1a617da40ff9a13b',
'/base/dist/chrome/images/contract/swt.jpg': 'c2983ed76ff48b82da02f24d92230c8efee238f5',
'/base/dist/chrome/images/contract/taas-ico.png': 'dd230cda1cba300cb9c704fd4af8048346adaee0',
'/base/dist/chrome/images/contract/tkn.svg': 'bdce27ba259ee715b0853ea22c22a149d47ec8c7',
'/base/dist/chrome/images/contract/too-real.jpg': '84b6c663a45e94996c40d4f4e13afbe9a465b6c3',
'/base/dist/chrome/images/contract/tpt.png': 'd0a269ab4a1ad822304ed5d636698ce8d91c1c0c',
'/base/dist/chrome/images/contract/wings_logo.svg': '63f0af8e50b5f9a5b710d5ce331b91fec7e51b28',
'/base/dist/chrome/images/contract/wyvern-logo.svg': '83043e5b32b6da36a8767646487d783f56352616',
'/base/dist/chrome/images/contract/xaurum_logo.svg': '0d195b4e249dae1333c39a72cc8b84d8fd313870',
'/base/dist/chrome/images/copy.svg': '58a8c861415eba969910fa904ca10c5aa0c2e3c1',
'/base/dist/chrome/images/download.svg': 'e8f5586e81294d128c0762a955244c913fc4d73c',
'/base/dist/chrome/images/eth_logo.svg': 'a6664ec6593c91ae7bb93544482c99de8d5563a5',
'/base/dist/chrome/images/forward-carrat.svg': '37f746f6d2971f3f8234e3017d4208d393704189',
'/base/dist/chrome/images/help.svg': 'ab3eb9d86fe2c10755c961eaeb80858958c1779d',
'/base/dist/chrome/images/icon-128.png': '662efb263a6fa76b6bb31339836d90b44e0c0d2d',
'/base/dist/chrome/images/icon-16.png': 'd60ad50e7efa6e4cc9a06808a452c058dcc7add4',
'/base/dist/chrome/images/icon-19.png': 'eaec59e40776ab34ad5ff714274ca1ad994ad25d',
'/base/dist/chrome/images/icon-32.png': '26b13fc7d97334c871a25455627caa0cad8652d5',
'/base/dist/chrome/images/icon-38.png': '96ce5cc9b7dcac1a08cc758588b7bfdcb53556ab',
'/base/dist/chrome/images/icon-512.png': 'd8d32493653f206cb563a6b45bb637e319e9ad20',
'/base/dist/chrome/images/icon-64.png': 'efc74ddc4abc89a1e4a0fd19def49bfd5499b19c',
'/base/dist/chrome/images/import-account.svg': 'e8a535d4f29890067b589ab97ef23f8690f011ff',
'/base/dist/chrome/images/info-logo.png': '121b5a7992011658b1d86eecc797e7c2550fb6a9',
'/base/dist/chrome/images/key-32.png': '26bd05f2dfc5b55c4273f27e5bc555a1c51e0176',
'/base/dist/chrome/images/loading.svg': '4c8d643fb117b3e51eaa80cc18ab6dd272e6a018',
'/base/dist/chrome/images/lock.svg': 'f13082021e5eab0e2b3cf21d011bb2b9978f4389',
'/base/dist/chrome/images/metamask-fox.svg': '4a073b2cf87db09799464a2ee36a241a1a01b3c2',
'/base/dist/chrome/images/mm-bolt.svg': '18675cdd231aa8c69b09b02eb32e355fbf65784e',
'/base/dist/chrome/images/mm-info-icon.svg': '683cbab12683da5332caa2ee9432c6373aa7d82a',
'/base/dist/chrome/images/open.svg': 'a9ca666b9d0221deb5bda8fbabcdff3070df47ec',
'/base/dist/chrome/images/plus-btn-white.svg': 'eb835240b5dc251cf95d59e34f682e6aba05207c',
'/base/dist/chrome/images/popout.svg': '5e38580068461a520b0c961a120877b923b403d4',
'/base/dist/chrome/images/qr.svg': 'bbe790913a34493cc5aadcf5ebb5e5759454a893',
'/base/dist/chrome/images/settings.svg': '12cd795f357573ef7847f4c8a1f1001e4be469f9',
'/base/dist/chrome/images/shapeshift logo.png': '109e3fcfd4a25704a16a6445deb7dadb8fb25f44',
'/base/dist/chrome/images/switch_acc.svg': '1f5d625fdcc1ab4259a90fb1a596be7386236701',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Bold.otf': '6a77ba783da6ad8ee7a06a64bbd7dace9a5fabc1',
'/base/dist/chrome/fonts/DIN Next/DIN Next W01 Regular.otf': 'ecc9ff92c8277352bc96aaa4f4764067343a531d',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Black.otf': 'bb9167a8352a73684f0cdb874d57d347c29bfb5c',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Italic.otf': 'ac6debc3b8afdcc5334080e8a521dc9175fecda9',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Light.otf': '405e0c4fe4c9eedb536861736c6e5ba0d73146a3',
'/base/dist/chrome/fonts/DIN Next/DIN Next W10 Medium.otf': '586d5a2112b92d0c3ff36efe4b4d734069d0c1fd',
'/base/dist/chrome/fonts/DIN_OT/DINOT-2.otf': 'aa3ec55d6ccf78e81266bad81f900b08667b440d',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Bold 2.otf': 'e89df16966e287409ed8c042ad7d415b6269f178',
'/base/dist/chrome/fonts/DIN_OT/DINOT-BoldItalic.otf': 'a5bf296e3703d2fcd9305289e226e1adf323e4e8',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Italic 2.otf': '22a956f13c50eb7218ceb7822e293768ca84cc2f',
'/base/dist/chrome/fonts/DIN_OT/DINOT-Medium 2.otf': 'eaafef7e2f3aa6756e13209988c71310620109dc',
'/base/dist/chrome/fonts/DIN_OT/DINOT-MediumItalic 2.otf': '6cd2990f33b8d47f5e8a31aaa8088956e7ea41da',
'/base/dist/chrome/fonts/Lato/Lato-Black.ttf': '573229cbc4622190a38adff3d906e0c1466802bd',
'/base/dist/chrome/fonts/Lato/Lato-BlackItalic.ttf': 'ce2095485c0274ed904e096b80448bc48f56c3bd',
'/base/dist/chrome/fonts/Lato/Lato-Bold.ttf': 'c330d59f3e64e07a2571c2ba4f4109b20a168f69',
'/base/dist/chrome/fonts/Lato/Lato-BoldItalic.ttf': '2007f546660221940e9dc6b9a3cae9b72fbe17af',
'/base/dist/chrome/fonts/Lato/Lato-Hairline.ttf': 'fa540e486ce62d6883201b0a545c4facf2511253',
'/base/dist/chrome/fonts/Lato/Lato-HairlineItalic.ttf': '4e75ebff548ef432bc417e8686d52ffb7c9cbe35',
'/base/dist/chrome/fonts/Lato/Lato-Italic.ttf': 'e4cea8035a258a869a6139fbf74e6d0c247bd49b',
'/base/dist/chrome/fonts/Lato/Lato-Light.ttf': '6eb95108fef81bd8cfbf7e20d4ca0634e5989019',
'/base/dist/chrome/fonts/Lato/Lato-LightItalic.ttf': '584f340776412f77f04de06ee04348ef823d5097',
'/base/dist/chrome/fonts/Lato/Lato-Regular.ttf': '127f241871a9fe42cd8d073a0835410f3824d57c',
'/base/dist/chrome/fonts/Lato/OFL.txt': 'dced1a41948e9968f9026cbc7ddabbf88e65423b',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.ttf': 'bf257f6f91f6522eccea6d4f28d57bb118c98729',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Bold.woff': '94680ffdc29df984dd3effef0f5ac9a5be0fb81e',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.ttf': '7110c2daf5721fa5de10d9e98b492b0721343c56',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Light.woff': 'b905af2e22459d1763deb45bbabf9cb5e62842d8',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.ttf': '9ca420aa453eb243037970c0c1c1adfe289f510f',
'/base/dist/chrome/fonts/Montserrat/Montserrat-Regular.woff': '2fe29740deb363cb82e191a35abe80613a33f25a',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.ttf': '358a8b149974050dc0e16806387c1faec6c9d9db',
'/base/dist/chrome/fonts/Montserrat/Montserrat-UltraLight.woff': 'efd91310fbc04375d5133d340e2661dc5a512703',
'/base/dist/chrome/fonts/Montserrat/OFL.txt': 'eb0a40063182521fc42cecf8ffcd6a05a74023b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Black.ttf': '14701060227dbc4a4ec9901970e8a58bb136efd9',
'/base/dist/chrome/fonts/Roboto/Roboto-BlackItalic.ttf': '3009f8bc7f3aa84fd483469422442cc3789e0579',
'/base/dist/chrome/fonts/Roboto/Roboto-Bold.ttf': '6cbb57ba2355cf442e06899898ff5af55867103e',
'/base/dist/chrome/fonts/Roboto/Roboto-BoldItalic.ttf': 'cd6a28033099099036e2a2182c9c4475394deaad',
'/base/dist/chrome/fonts/Roboto/Roboto-Italic.ttf': '4c4faf7a3fae4d0b1474561f0080995d358861ac',
'/base/dist/chrome/fonts/Roboto/Roboto-Light.ttf': '191dda7a5142990cd980727d43b27e4802f0b321',
'/base/dist/chrome/fonts/Roboto/Roboto-LightItalic.ttf': '693445f41eaa750b789a77568f9d6d995e85e0b2',
'/base/dist/chrome/fonts/Roboto/Roboto-Medium.ttf': 'adbc3bde424bcf7dbc38f148005c8319825891f2',
'/base/dist/chrome/fonts/Roboto/Roboto-MediumItalic.ttf': '75feb92a7fc61d00e8ca610a700344738ef5ae32',
'/base/dist/chrome/fonts/Roboto/Roboto-Regular.ttf': '1d1d41fcadc571decb6444211b7993b99ce926e2',
'/base/dist/chrome/fonts/Roboto/Roboto-Thin.ttf': 'f71ccd563f95ccc187cf4fe81287445e91f7121b',
'/base/dist/chrome/fonts/Roboto/Roboto-ThinItalic.ttf': 'e3fb2b2a0dc2daf84d79cfff4b345a2afac132bc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Bold.ttf': 'c348d9f1b95e103ac2d14d56682867368f385b1a',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-BoldItalic.ttf': '3bd9f2b8c65c4dd80f535b9ddd937784e0d71ce6',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Italic.ttf': '394439fa97f36bba80f061e32e46ead1650e798e',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Light.ttf': 'df222c27b5e41dc89ca76a4479c9dd3ae6c1acbc',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-LightItalic.ttf': 'd974583f3217141e4fc04bf94c3c6f94d9f56f8f',
'/base/dist/chrome/fonts/Roboto/RobotoCondensed-Regular.ttf': 'c722696501a8663d64208d754e4db8165d3936f6',
'/base/dist/mascara/ui.js': 'd0d629760d831fc76c8f3da53d8b76ae7bbde713',
'/base/dist/mascara/tests.js': 'fc42b0e335d55a01717f52e0baa685ec6457f512',
'/base/dist/mascara/background.js': 'b0ca60cd30e87210367273689695d8581e5c7464'
};
</script>
<!-- Dynamically replaced with <script> tags -->
<script type="text/javascript" src="/base/node_modules/qunitjs/qunit/qunit.js?fca9a0ac0c00fe782af607f1058a7bf250e4eb89" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/node_modules/karma-qunit/lib/adapter.js?0932caacc3ac2a0121166f2adaa7d4da20d06400" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/test/integration/jquery-3.1.0.min.js?c72c1735b4d903d90dd51225ebefb8c74ebbc51f" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/ui.js?d0d629760d831fc76c8f3da53d8b76ae7bbde713" crossorigin="anonymous"></script>
<script type="text/javascript" src="/base/dist/mascara/tests.js?fc42b0e335d55a01717f52e0baa685ec6457f512" crossorigin="anonymous"></script>
<script type="text/javascript">
window.__karma__.loaded();
</script>
<div id="app-content"><div data-reactroot="" class="flex-column full-height mouse-user-styles" tabindex="0" style="overflow-x: hidden; position: relative; align-items: center;"><!-- react-empty: 2 --><div><style>
.sidebar-enter {
transition: transform 300ms ease-in-out;
transform: translateX(-100%);
}
.sidebar-enter.sidebar-enter-active {
transition: transform 300ms ease-in-out;
transform: translateX(0%);
}
.sidebar-leave {
transition: transform 200ms ease-out;
transform: translateX(0%);
}
.sidebar-leave.sidebar-leave-active {
transition: transform 200ms ease-out;
transform: translateX(-100%);
}
</style><span></span></div><div class=".menu-droppo-container network-droppo" style="position: absolute; top: 58px; min-width: 309px; z-index: 55;"><style>
.menu-droppo-enter {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
.menu-droppo-enter.menu-droppo-enter-active {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave {
transition: transform 300ms ease-in-out;
transform: translateY(0%);
}
.menu-droppo-leave.menu-droppo-leave-active {
transition: transform 300ms ease-in-out;
transform: translateY(-200%);
}
</style></div><noscript></noscript><div class="first-time-flow"><div class="backup-phrase"><div class=" identicon" style="display: flex; align-items: center; justify-content: center; height: 70px; width: 70px; border-radius: 35px; overflow: hidden;"><div style="border-radius: 50px; overflow: hidden; padding: 0px; margin: 0px; width: 70px; height: 70px; display: inline-block;"><svg height="100" version="1.1" width="100" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" style="overflow: hidden; position: relative;"><desc style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);">Created with Raphaƫl 2.2.0</desc><defs style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></defs><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#fb1845" stroke="none" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#f2ba02" stroke="none" transform="matrix(0.6538,0.7567,-0.7567,0.6538,32.5576,-23.7897)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#234fe1" stroke="none" transform="matrix(-0.9314,0.3639,-0.3639,-0.9314,67.0881,78.5589)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect><rect x="0" y="0" width="70" height="70" rx="0" ry="0" fill="#c81438" stroke="none" transform="matrix(0.2296,-0.9733,0.9733,0.2296,3.2302,6.5324)" style="-webkit-tap-highlight-color: rgba(0, 0, 0, 0);"></rect></svg></div></div><div class="backup-phrase__content-wrapper"><div><div class="backup-phrase__title">Secret Backup Phrase</div><div class="backup-phrase__body-text">Your secret backup phrase makes it easy to back up and restore your account.</div><div class="backup-phrase__body-text">WARNING: Never disclose your backup phrase. Anyone with this phrase can take your Ether forever.</div><div class="backup-phrase__secret"><div class="backup-phrase__secret-words backup-phrase__secret-words--hidden">seven lobster found cream soccer country indicate history track yellow chat desert</div><div class="backup-phrase__secret-blocker"><svg version="1.1" id="Capa_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="28px" height="35px" viewBox="0 0 401.998 401.998" xml:space="preserve" fill="#FFFFFF"><g><path d="M357.45,190.721c-5.331-5.33-11.8-7.993-19.417-7.993h-9.131v-54.821c0-35.022-12.559-65.093-37.685-90.218 C266.093,12.563,236.025,0,200.998,0c-35.026,0-65.1,12.563-90.222,37.688C85.65,62.814,73.091,92.884,73.091,127.907v54.821 h-9.135c-7.611,0-14.084,2.663-19.414,7.993c-5.33,5.326-7.994,11.799-7.994,19.417V374.59c0,7.611,2.665,14.086,7.994,19.417 c5.33,5.325,11.803,7.991,19.414,7.991H338.04c7.617,0,14.085-2.663,19.417-7.991c5.325-5.331,7.994-11.806,7.994-19.417V210.135 C365.455,202.523,362.782,196.051,357.45,190.721z M274.087,182.728H127.909v-54.821c0-20.175,7.139-37.402,21.414-51.675 c14.277-14.275,31.501-21.411,51.678-21.411c20.179,0,37.399,7.135,51.677,21.411c14.271,14.272,21.409,31.5,21.409,51.675V182.728 z"></path></g></svg><button class="backup-phrase__reveal-button">Click here to reveal secret words</button></div></div><button class="first-time-flow__button" disabled="">Next</button><div class="breadcrumbs"><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div><div class="breadcrumb" style="background-color: rgb(216, 216, 216);"></div><div class="breadcrumb" style="background-color: rgb(255, 255, 255);"></div></div></div><div class="backup-phrase__tips"><div class="backup-phrase__tips-text">Tips:</div><div class="backup-phrase__tips-text">Store this phrase in a password manager like 1password.</div><div class="backup-phrase__tips-text">Write this phrase on a piece of paper and store in a secure location. If you want even more security, write it down on multiple pieces of paper and store each in 2 - 3 different locations.</div><div class="backup-phrase__tips-text">Memorize this phrase.</div></div></div></div></div></div></div><div id="qunit-fixture" style="position: absolute; left: -10000px; top: -10000px; width: 1000px; height: 1000px;"></div></body>
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 SUCCESS (0 secs / 0 secs)
[1A[2KChrome 64.0.3282 (Mac OS X 10.12.6) ERROR
Uncaught TypeError: Cannot read property 'scrollTop' of null
at dist/mascara/ui.js:2311
Chrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 ERROR (0 secs / 0 secs)
[1A[2KChrome 64.0.3282 (Mac OS X 10.12.6): Executed 0 of 1 ERROR (16.275 secs / 0 secs)
|