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 | Loading stage "initial" 149
startkde: Starting up...
kdeinit5: preparing to launch 'libkdeinit5_klauncher'
kdeinit5: Launched KLauncher, pid = 1508, result = 0
Qt: Session management error: networkIdsList argument is NULL
Connecting to deprecated signal QDBusConnectionInterface::serviceOwnerChanged(QString,QString,QString)
kdeinit5: opened connection to :0
kdeinit5: preparing to launch 'libkdeinit5_kded5'
kdeinit5: Launched KDED, pid = 1510 result = 0
kdeinit5: preparing to launch 'libkdeinit5_kcminit_startup'
kdeinit5: Launched 'kcminit_startup', pid = 1511 result = 0
Qt: Session management error: networkIdsList argument is NULL
kdeinit5: Got SETENV 'KDE_MULTIHEAD=false' from launcher.
Initializing "kcm_access" : "kcminit_access"
kdeinit5: Got EXEC_NEW '/usr/bin/kaccess' from launcher.
kdeinit5: preparing to launch '/usr/bin/kaccess'
Initializing "kcm_input" : "kcminit_mouse"
Initializing "kcm_style" : "kcminit_style"
QCoreApplication::arguments: Please instantiate the QApplication object first
QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave.
kdeinit5: PID 1515 terminated.
kf5.kded: found kded module "networkmanagement" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "kscreen" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "ksysguard" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "powerdevil" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "statusnotifierwatcher" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "accounts" by prepending 'kded_' to the library path, please fix your metadata.
kdeinit5: Got SETENV 'GTK_RC_FILES=/etc/gtk/gtkrc:/home/bw/.gtkrc:/home/bw/.config/gtkrc' from launcher.
kdeinit5: Got SETENV 'GTK2_RC_FILES=/etc/gtk-2.0/gtkrc:/home/bw/.gtkrc-2.0:/home/bw/.config/gtkrc-2.0' from launcher.
Initializing "kcm_kgamma" : "kcminit_kgamma"
Initializing "kded_touchpad" : "kcminit_touchpad"
kdeinit5: PID 1511 terminated.
kdeinit5: Got KWRAPPER 'ksmserver' from wrapper.
kdeinit5: preparing to launch 'libkdeinit5_ksmserver'
Loaded KAccounts plugin "/usr/lib/x86_64-linux-gnu/qt5/plugins/kaccounts/daemonplugins/kaccounts_ktp_plugin.so"
kf5.kded: found kded module "printmanager" by prepending 'kded_' to the library path, please fix your metadata.
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/libexec/kf5/kconf_update' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/libexec/kf5/kconf_update'
kdeinit5: PID 1529 terminated.
Qt: Session management error: networkIdsList argument is NULL
Configuring Lock Action
QDBusConnection: name 'org.kde.kglobalaccel' had owner '' but we thought it was ':1.14'
detected kglobalaccel restarting, re-registering all shortcut keys
XSync seems available and ready
XSync Inited
Supported, init completed
Created alarm 31457281
powerdevil: Loading UPower backend...
ksmserver: "/run/user/1000/KSMserver"
powerdevil: Success!
powerdevil: Backend loaded, loading core
powerdevil: Core loaded, initializing backend
ksmserver: KSMServer: SetAProc_loc: conn 0 , prot= local , file= @/tmp/.ICE-unix/1527
kdeinit5: Got SETENV 'SESSION_MANAGER=local/twister:@/tmp/.ICE-unix/1527,unix/twister:/tmp/.ICE-unix/1527' from launcher.
ksmserver: KSMServer: SetAProc_loc: conn 1 , prot= unix , file= /tmp/.ICE-unix/1527
ksmserver: KSMServer::restoreSession "saved at previous logout"
powerdevil: No outputs have backlight property
powerdevil: Falling back to helper to get brightness
kdeinit5: Got EXEC_NEW '/usr/bin/baloo_file' from launcher.
kdeinit5: preparing to launch '/usr/bin/baloo_file'
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/libexec/kdeconnectd' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/libexec/kdeconnectd'
kdeinit5: Got EXEC_NEW '/usr/bin/krunner' from launcher.
kdeinit5: preparing to launch '/usr/bin/krunner'
QDBusConnection: name 'org.kde.kglobalaccel' had owner '' but we thought it was ':1.14'
detected kglobalaccel restarting, re-registering all shortcut keys
QDBusConnection: name 'org.kde.kglobalaccel' had owner '' but we thought it was ':1.14'
pm.kded: unable to register service to dbus
detected kglobalaccel restarting, re-registering all shortcut keys
Session path: "/org/freedesktop/login1/session/_32"
bluedevil: Already in OfflineMode
Qt: Session management error: networkIdsList argument is NULL
kdeinit5: Got EXEC_NEW '/usr/bin/plasmashell' from launcher.
kdeinit5: preparing to launch '/usr/bin/plasmashell'
kdeconnect.core: KdeConnect daemon starting
kdeconnect.core: Warning: KDE Connect private key file has too open permissions "/home/bw/.config/kdeconnect/privateKey.pem"
kdeconnect.core: Broadcasting identity packet
Qt: Session management error: networkIdsList argument is NULL
kdeconnect.core: KdeConnect daemon started
completeShutdownOrCheckpoint called
completeShutdownOrCheckpoint called
completeShutdownOrCheckpoint called
Setting the name: "org.kde.ActivityManager.Resources.Scoring"
Creating directory: "/home/bw/.local/share/kactivitymanagerd/resources/"
KActivities: Database connection: "kactivities_db_resources_139654683752448_readwrite"
query_only: QVariant(qlonglong, 0)
journal_mode: QVariant(QString, "wal")
wal_autocheckpoint: QVariant(qlonglong, 100)
synchronous: QVariant(qlonglong, 1)
Setting the name: "org.kde.ActivityManager.ActivityTemplates"
Service started, version: 6.2.0
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/libexec/polkit-kde-authentication-agent-1' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/libexec/polkit-kde-authentication-agent-1'
kscreen: launcherDataAvailable: "org.kde.KScreen.Backend.XRandR"
New PolkitAgentListener 0x8f8120
Adding new listener PolkitQt1::Agent::Listener(0x91c290) for 0x8f8120
Listener online
Authentication agent result: true
Invalid service name "/org/kde/polkit-kde-authentication-agent-1" using: "/org/kde/polkitkdeauthenticationagent1"
ksmserver: Autostart 0 done
kcminit not running? If we are running with mobile profile or in another platform other than X11 this is normal.
ksmserver: Kcminit phase 1 done
kdeinit5: Got EXEC_NEW 'kwrited' from launcher.
kdeinit5: preparing to launch 'libkdeinit5_kwrited'
Could not open library '/usr/lib/x86_64-linux-gnu/libkdeinit5_kwrited'.
Cannot load library /usr/lib/x86_64-linux-gnu/libkdeinit5_kwrited: (/usr/lib/x86_64-linux-gnu/libkdeinit5_kwrited.so: cannot open shared object file: No such file or directory)
kdeinit5: Got EXEC_NEW '/usr/bin/start-pulseaudio-x11' from launcher.
kdeinit5: preparing to launch '/usr/bin/start-pulseaudio-x11'
kdeinit5: PID 1585 terminated.
ksmserver: Autostart 1 done
completeShutdownOrCheckpoint called
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/libexec/kdeconnectd' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/libexec/kdeconnectd'
kf5.kded: found kded module "ktp_approver" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "ktp_integration_module" by prepending 'kded_' to the library path, please fix your metadata.
kdeinit5: Got EXEC_NEW '/usr/bin/kde4' from launcher.
kdeinit5: preparing to launch '/usr/bin/kde4'
org.kde.baloo: "/home/bw"
kdeinit5: PID 1588 terminated.
Starting accounts migration...
ktp-common-internals: Current presence changed
ktp-common-internals: Current presence changed
XSync seems available and ready
XSync Inited
Supported, init completed
Created alarm 20971521
Created alarm 20971525
kscreen.kded: Config KScreen::Config(0x15e1100) is ready
kscreen.kded: PowerDevil SuspendSession action not available!
kscreen.kded: "The name org.kde.Solid.PowerManagement was not provided by any .service files"
kscreen.kded: Applying config
kscreen.kded: Calculating config ID for KScreen::Config(0x15e1100)
kscreen.kded: Part of the Id: "41c06b34b21c18d1d87c5e379ae7e6b0"
kscreen.kded: Config ID: "0a3b5abda3a157dd39c435acf7d6b7e9"
kscreen.kded: Calculating config ID for KScreen::Config(0x15e1100)
kscreen.kded: Part of the Id: "41c06b34b21c18d1d87c5e379ae7e6b0"
kscreen.kded: Config ID: "0a3b5abda3a157dd39c435acf7d6b7e9"
kscreen.kded: Applying known config "0a3b5abda3a157dd39c435acf7d6b7e9"
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen.kded: Finding a mode for QSize(1920, 1080) @ 60
kscreen.kded: Found: "73" QSize(1920, 1080) @ 60
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(NULL) ( "none" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen.kded: doApplyConfig()
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen.kded: Config applied
kscreen.kded: Monitor for changes: true
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Requesting missing EDID for outputs (69)
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen.kded: Change detected
QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave.
QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave.
powerdevil: current screen brightness value: 5
completeShutdownOrCheckpoint called
kdeinit5: PID 1586 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/korgac' from launcher.
kdeinit5: preparing to launch '/usr/bin/korgac'
powerdevil: Backend is ready, KDE Power Management system initialized
powerdevil: Session path: "/org/freedesktop/login1/session/_32"
powerdevil: ACTIVE SESSION PATH: "/org/freedesktop/login1/session/_32"
powerdevil: Current session is now active
powerdevil: fd passing available: true
powerdevil: systemd powersave events handling inhibited, descriptor: 34
powerdevil: systemd support initialized
powerdevil: The session is not registered with ck
powerdevil: Got a valid offer for "DPMSControl"
powerdevil: Core is ready, registering various services on the bus...
powerdevil: Can't contact ck
powerdevil: We are now into activity "6200d3db-474b-456f-b586-35189f9df1f5"
powerdevil: () ()
powerdevil: () ()
powerdevil: No batteries found, loading AC
powerdevil: Activity is not forcing a profile
Created alarm 20971526
Created alarm 20971527
powerdevil: Handle button events action could not check for screen configuration
powerdevil:
powerdevil: Loading timeouts with 300000
Created alarm 20971528
Created alarm 20971529
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen.kded: Saving current config to file
kscreen.kded: Calculating config ID for KScreen::Config(0x15e1100)
kscreen.kded: Part of the Id: "41c06b34b21c18d1d87c5e379ae7e6b0"
kscreen.kded: Config ID: "0a3b5abda3a157dd39c435acf7d6b7e9"
kscreen.kded: Config saved on: "/home/bw/.local/share/kscreen/0a3b5abda3a157dd39c435acf7d6b7e9"
completeShutdownOrCheckpoint called
completeShutdownOrCheckpoint called
Trying to use rootObject before initialization is completed, whilst using setInitializationDelayed. Forcing completion
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_birthdays_resource' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_birthdays_resource'
log_koalarmclient:
QXcbConnection: XCB error: 3 (BadWindow), sequence: 1098, resource id: 58720262, major code: 18 (ChangeProperty), minor code: 0
kscreen: launcherDataAvailable: "org.kde.KScreen.Backend.XRandR"
kscreen: Launcher finished with exit code 1 , status 0
kscreen: Service for requested backend already running
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
Registering "org.kde.StatusNotifierItem-1615-1/StatusNotifierItem" to system tray
akonadiagentbase_log: Identifier argument missing
unversioned plugin detected, may result in instability
Registering "org.kde.StatusNotifierItem-1613-1/StatusNotifierItem" to system tray
kdeinit5: PID 1626 terminated.
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Requesting missing EDID for outputs (69)
kscreen.kded: Change detected
log_koalarmclient:
kf5.kded: found kded module "ktimezoned" by prepending 'kded_' to the library path, please fix your metadata.
unversioned plugin detected, may result in instability
Skipped method "moduleDeleted" : Pointers are not supported: KDEDModule*
unversioned plugin detected, may result in instability
completeShutdownOrCheckpoint called
"ETMCalendar"
executing akonadi_control
connectToServer "/tmp/akonadi-bw.Ny3c4f/akonadiserver.socket"
Socket error occurred: "QLocalSocket::connectToServer: Invalid name"
""
connectToServer "/tmp/akonadi-bw.Ny3c4f/akonadiserver.socket"
Socket error occurred: "QLocalSocket::connectToServer: Invalid name"
kdeinit5: PID 1601 terminated.
log_kidentitymanagement: IdentityManager: There was no default identity. Marking first one as default.
log_kidentitymanagement: Store: "uoid" : QVariant(QString, "0")
log_kidentitymanagement: Store: "Disable Fcc" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Default Domain" : QVariant(QString, "twister")
log_kidentitymanagement: Store: "Signature Enabled" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Inline Signature" : QVariant(QString, "")
log_kidentitymanagement: Store: "Dictionary" : QVariant(QString, "English (United States of America)")
log_kidentitymanagement: Store: "Image Location" : QVariant(QString, "")
Connecting to deprecated signal QDBusConnectionInterface::serviceOwnerChanged(QString,QString,QString)
log_koalarmclient: KOAlarmClient check interval: 60 seconds.
log_koalarmclient: Collections are not available; aborting check.
org.kde.akonadi.ETM: GEN true false true
org.kde.akonadi.ETM: collection: QVector()
search paths: ("/usr/local/sbin", "/usr/local/bin", "/usr/sbin", "/usr/bin", "/sbin", "/bin", "/usr/games", "/usr/local/games", "/usr/sbin", "/usr/local/sbin", "/usr/local/libexec", "/usr/libexec", "/opt/mysql/libexec", "/opt/local/lib/mysql5/bin", "/opt/mysql/sbin")
completeShutdownOrCheckpoint called
Akonadi server is already starting up
Found mysql_install_db: "/usr/bin/mysql_install_db"
Found mysqlcheck: "/usr/bin/mysqlcheck"
unversioned plugin detected, may result in instability
Connecting to deprecated signal QDBusConnectionInterface::serviceOwnerChanged(QString,QString,QString)
unversioned plugin detected, may result in instability
QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave.
QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave.
kscreen.kded: Saving current config to file
kscreen.kded: Calculating config ID for KScreen::Config(0x15e1100)
kscreen.kded: Part of the Id: "41c06b34b21c18d1d87c5e379ae7e6b0"
kscreen.kded: Config ID: "0a3b5abda3a157dd39c435acf7d6b7e9"
kscreen.kded: Config saved on: "/home/bw/.local/share/kscreen/0a3b5abda3a157dd39c435acf7d6b7e9"
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
last screen is < 0 so putting containment on screen 0
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Requesting missing EDID for outputs (69)
kscreen.kded: Change detected
QXcbConnection: XCB error: 3 (BadWindow), sequence: 1146, resource id: 62914561, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 1150, resource id: 62914562, major code: 18 (ChangeProperty), minor code: 0
kbuildsycoca4 running...
kscreen.kded: Saving current config to file
kscreen.kded: Calculating config ID for KScreen::Config(0x15e1100)
kscreen.kded: Part of the Id: "41c06b34b21c18d1d87c5e379ae7e6b0"
kscreen.kded: Config ID: "0a3b5abda3a157dd39c435acf7d6b7e9"
kscreen.kded: Config saved on: "/home/bw/.local/share/kscreen/0a3b5abda3a157dd39c435acf7d6b7e9"
akonadi.collectionattributetable OK
akonadi.collectionmimetyperelation OK
akonadi.collectionpimitemrelation OK
akonadi.collectiontable OK
akonadi.flagtable OK
akonadi.mimetypetable OK
akonadi.parttable OK
akonadi.parttypetable OK
akonadi.pimitemflagrelation OK
akonadi.pimitemtable OK
akonadi.pimitemtagrelation OK
akonadi.relationtable OK
akonadi.relationtypetable OK
akonadi.resourcetable OK
akonadi.schemaversiontable OK
akonadi.tagattributetable OK
akonadi.tagremoteidresourcerelationtable OK
akonadi.tagtable OK
akonadi.tagtypetable OK
mysql.columns_priv OK
mysql.db OK
mysql.event OK
mysql.func OK
mysql.general_log OK
mysql.help_category OK
mysql.help_keyword OK
mysql.help_relation OK
mysql.help_topic OK
mysql.host OK
mysql.ndb_binlog_index OK
mysql.plugin OK
mysql.proc OK
mysql.procs_priv OK
mysql.proxies_priv OK
mysql.servers OK
mysql.slow_log OK
mysql.tables_priv OK
mysql.time_zone OK
mysql.time_zone_leap_second OK
mysql.time_zone_name OK
mysql.time_zone_transition OK
mysql.time_zone_transition_type OK
mysql.user OK
MySQL version OK (required "5.1" , available "5.6" )
Database "akonadi" opened using driver "QMYSQL"
DbInitializer::run()
checking table "SchemaVersionTable"
checking table "ResourceTable"
checking table "CollectionTable"
checking table "MimeTypeTable"
checking table "PimItemTable"
checking table "FlagTable"
checking table "PartTypeTable"
checking table "PartTable"
checking table "CollectionAttributeTable"
checking table "TagTypeTable"
checking table "TagTable"
checking table "TagAttributeTable"
checking table "TagRemoteIdResourceRelationTable"
checking table "RelationTypeTable"
checking table "RelationTable"
checking table "PimItemFlagRelation"
checking table "PimItemTagRelation"
checking table "CollectionMimeTypeRelation"
checking table "CollectionPimItemRelation"
DbInitializer::run() done
skipping update 2
skipping update 3
skipping update 4
skipping update 8
skipping update 10
skipping update 12
skipping update 13
skipping update 14
skipping update 15
skipping update 16
skipping update 17
skipping update 18
skipping update 19
skipping update 20
skipping update 21
skipping update 22
skipping update 23
skipping update 24
skipping update 25
skipping update 26
skipping update 28
Indexes successfully created
search paths: ("lib/x86_64-linux-gnu", "lib/x86_64-linux-gnu/qt5/plugins/", "lib/x86_64-linux-gnu/kf5/", "lib/x86_64-linux-gnu/kf5/plugins/", "/usr/lib/qt5/plugins/", "/usr/lib/x86_64-linux-gnu/qt5/plugins", "/usr/bin")
SEARCH MANAGER: searching in "lib/x86_64-linux-gnu/akonadi" : ()
SEARCH MANAGER: searching in "lib/x86_64-linux-gnu/qt5/plugins//akonadi" : ()
SEARCH MANAGER: searching in "lib/x86_64-linux-gnu/kf5//akonadi" : ()
SEARCH MANAGER: searching in "lib/x86_64-linux-gnu/kf5/plugins//akonadi" : ()
SEARCH MANAGER: searching in "/usr/lib/qt5/plugins//akonadi" : ()
SEARCH MANAGER: searching in "/usr/lib/x86_64-linux-gnu/qt5/plugins/akonadi" : ()
SEARCH MANAGER: searching in "/usr/bin/akonadi" : ()
DataStore::unhideAllPimItems()
Search loop is waiting, will wake again in -1 ms
Database "akonadi" opened using driver "QMYSQL"
Connecting to deprecated signal QDBusConnectionInterface::serviceOwnerChanged(QString,QString,QString)
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
PLUGINS: "/usr/share/akonadi/agents"
PLUGINS: ("akonadibalooindexingagent.desktop", "akonotesresource.desktop", "archivemailagent.desktop", "birthdaysresource.desktop", "contactsresource.desktop", "davgroupwareresource.desktop", "followupreminder.desktop", "googlecalendarresource.desktop", "googlecontactsresource.desktop", "icaldirresource.desktop", "icalresource.desktop", "imapresource.desktop", "invitationsagent.desktop", "kalarmdirresource.desktop", "kalarmresource.desktop", "kolabresource.desktop", "maildirresource.desktop", "maildispatcheragent.desktop", "mailfilteragent.desktop", "mboxresource.desktop", "migrationagent.desktop", "mixedmaildirresource.desktop", "newmailnotifieragent.desktop", "notesagent.desktop", "notesresource.desktop", "openxchangeresource.desktop", "pop3resource.desktop", "sendlateragent.desktop", "vcarddirresource.desktop", "vcardresource.desktop")
search paths: ("/usr/local/sbin", "/usr/local/bin", "/usr/sbin", "/usr/bin", "/sbin", "/bin", "/usr/games", "/usr/local/games")
PLUGINS inserting: "akonadi_baloo_indexer" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_akonotes_resource" 1 ("Resource", "Notes")
PLUGINS inserting: "akonadi_archivemail_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_birthdays_resource" 0 ("Resource", "Unique")
Akonadi server is already starting up
PLUGINS inserting: "akonadi_contacts_resource" 1 ("Resource")
PLUGINS inserting: "akonadi_davgroupware_resource" 0 ("Resource", "FreeBusyProvider")
Database "akonadi" opened using driver "QMYSQL"
PLUGINS inserting: "akonadi_followupreminder_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_googlecalendar_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_googlecontacts_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_icaldir_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_ical_resource" 1 ("Resource")
PLUGINS inserting: "akonadi_imap_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_invitations_agent" 0 ("NoConfig")
PLUGINS inserting: "akonadi_kalarm_dir_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_kalarm_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_kolab_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_maildir_resource" 1 ("Resource")
PLUGINS inserting: "akonadi_maildispatcher_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_mailfilter_agent" 0 ("Unique", "Autostart", "NoConfig")
PLUGINS inserting: "akonadi_mbox_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_migration_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_mixedmaildir_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_newmailnotifier_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_notes_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_notes_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_openxchange_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_pop3_resource" 0 ("Resource", "NeedsNetwork")
PLUGINS inserting: "akonadi_sendlater_agent" 0 ("Unique", "Autostart")
PLUGINS inserting: "akonadi_vcarddir_resource" 0 ("Resource")
PLUGINS inserting: "akonadi_vcard_resource" 0 ("Resource")
Akonadi server is now operational.
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "korgac_1615_1nMOVk" false
"/subscriber/korgac_1615_1nMOVk"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
()
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_akonotes_resource' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_akonotes_resource'
org.kde.akonadi.ETM: GEN true false true
org.kde.akonadi.ETM: collection: QVector()
done
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/korgac_1615_1nMOVk"
log_akonadiserver: only display
"akonadi_ical_resource_0"
log_akonadiserver: only display
org.kde.akonadi.ETM: Subtree: 14 QSet(14)
org.kde.akonadi.ETM: collection: "Birthdays & Anniversaries"
org.kde.akonadi.ETM: Subtree: 3 QSet(3)
org.kde.akonadi.ETM: collection: "akonadi_ical_resource_0"
org.kde.akonadi.ETM: Fetch job took 27 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 2
org.kde.akonadi.ETM: first fetched collection: "akonadi_ical_resource_0"
org.kde.akonadi.ETM: Fetch job took 8 msec
org.kde.akonadi.ETM: was item fetch job: items: 0
"akonadi_birthdays_resource"
org.kde.akonadi.ETM: Fetch job took 14 msec
org.kde.akonadi.ETM: was item fetch job: items: 0
log_koalarmclient: Performing delayed initialization.
log_koalarmclient: Check: "Di. Nov. 17 07:08:14 2015" - "Di. Nov. 17 21:20:42 2015"
"akonadi_contacts_resource_0"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"akonadi_maildir_resource_0"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"akonadi_maildispatcher_agent"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_ical_resource_0_1691_4CjpPs" false
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
akonadiagentbase_log: Identifier argument missing
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
kdeinit5: PID 1714 terminated.
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_birthdays_resource_1688_tri6iW" false
"/subscriber/akonadi_ical_resource_0_1691_4CjpPs"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_maildir_resource_0_1692_Vo1t8W" false
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
"/subscriber/akonadi_birthdays_resource_1688_tri6iW"
"akonadi_akonotes_resource_0"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_maildispatcher_agent_1693_QqRD9E" false
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"/subscriber/akonadi_maildispatcher_agent_1693_QqRD9E"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"/subscriber/akonadi_maildir_resource_0_1692_Vo1t8W"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_contacts_resource_0_1689_mFtbno" false
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_akonotes_resource_0_1685_f09Zip" false
"/subscriber/akonadi_contacts_resource_0_1689_mFtbno"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"akonadi_migration_agent"
"/subscriber/akonadi_akonotes_resource_0_1685_f09Zip"
"akonadi_followupreminder_agent"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_followupreminder_agent_1690_yFmpaf" false
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_migration_agent_1696_hlf53V" false
"akonadi_newmailnotifier_agent"
"akonadi_mailfilter_agent"
Database "akonadi" opened using driver "QMYSQL"
"/subscriber/akonadi_followupreminder_agent_1690_yFmpaf"
"/subscriber/akonadi_migration_agent_1696_hlf53V"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_mailfilter_agent_1694_M81klz" false
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_newmailnotifier_agent_1697_oFXTjt" false
"/subscriber/akonadi_mailfilter_agent_1694_M81klz"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"/subscriber/akonadi_newmailnotifier_agent_1697_oFXTjt"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Requesting missing EDID for outputs (69)
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Primary output changed from KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" ) to KScreen::Output(Id: 69 , Name: "HDMI2" ) ( "HDMI2" )
kscreen: Requesting missing EDID for outputs (69)
"akonadi_notes_agent"
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/desktop.so' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/desktop.so'
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_notes_agent_1698_rHp7rl" false
"/subscriber/akonadi_notes_agent_1698_rHp7rl"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
Database "akonadi" opened using driver "QMYSQL"
"akonadi_archivemail_agent"
kf5.kded: found kded module "desktopnotifier" by prepending 'kded_' to the library path, please fix your metadata.
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so'
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_archivemail_agent_1686_bhaiEb" false
"/subscriber/akonadi_archivemail_agent_1686_bhaiEb"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
Skipped method "moduleDeleted" : Pointers are not supported: KDEDModule*
"akonadi_sendlater_agent"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_sendlater_agent_1699_bmyrmQ" false
"/subscriber/akonadi_sendlater_agent_1699_bmyrmQ"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_birthdays_resource_1688_FYMwFO" false
"/subscriber/akonadi_birthdays_resource_1688_FYMwFO"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/akonadi_birthdays_resource_1688_tri6iW"
localListDone: false deliveryDone: true
New notification bus: "/subscriber/akonadi_birthdays_resource_1688_FYMwFO"
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
completeShutdownOrCheckpoint called
New notification bus: "/subscriber/akonadi_ical_resource_0_1691_4CjpPs"
New notification bus: "/subscriber/akonadi_maildir_resource_0_1692_Vo1t8W"
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so'
localListDone: false deliveryDone: true
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
localListDone: false deliveryDone: true
Connected to "Akonadi" , using protocol version 51
completeShutdownOrCheckpoint called
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
log_maildispatcher: maildispatcheragent: At your service, sir!
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_maildispatcher_agent_1693_qDa3oa" false
"/subscriber/akonadi_maildispatcher_agent_1693_qDa3oa"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_maildispatcher_agent_1693_IJHPW7" false
"/subscriber/akonadi_maildispatcher_agent_1693_IJHPW7"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
log_kidentitymanagement: IdentityManager: There was no default identity. Marking first one as default.
Database "akonadi" opened using driver "QMYSQL"
log_maildispatcher: Requesting outbox folder.
log_maildispatcher: Requesting sent-mail folder
log_kidentitymanagement: Store: "Signature Enabled" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Image Location" : QVariant(QString, "")
log_kidentitymanagement: Store: "uoid" : QVariant(QString, "0")
log_kidentitymanagement: Store: "Disable Fcc" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Default Domain" : QVariant(QString, "twister")
log_kidentitymanagement: Store: "Dictionary" : QVariant(QString, "English (United States of America)")
log_kidentitymanagement: Store: "Inline Signature" : QVariant(QString, "")
log_maildispatcher: Online. Dispatching messages.
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
completeShutdownOrCheckpoint called
Database "akonadi" opened using driver "QMYSQL"
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Invalid URL: QUrl( "/home/bw/.kde/share/apps/korganizer/std.ics" )
New notification bus: "/subscriber/akonadi_contacts_resource_0_1689_mFtbno"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
completeShutdownOrCheckpoint called
log_kidentitymanagement: IdentityManager: There was no default identity. Marking first one as default.
log_kidentitymanagement: Store: "Default Domain" : QVariant(QString, "twister")
log_kidentitymanagement: Store: "Dictionary" : QVariant(QString, "English (United States of America)")
log_kidentitymanagement: Store: "Disable Fcc" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Signature Enabled" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Inline Signature" : QVariant(QString, "")
log_kidentitymanagement: Store: "uoid" : QVariant(QString, "0")
log_kidentitymanagement: Store: "Image Location" : QVariant(QString, "")
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
"MailFilter Kernel ETM"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
"Could not load file '/home/bw/.kde/share/apps/korganizer/std.ics'."
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_mailfilter_agent_1694_hh43XM" false
"/subscriber/akonadi_mailfilter_agent_1694_hh43XM"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
"KNotes Session"
New notification bus: "/subscriber/akonadi_akonotes_resource_0_1685_f09Zip"
Database "akonadi" opened using driver "QMYSQL"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_notes_agent_1698_8iQcGl" false
"/subscriber/akonadi_notes_agent_1698_8iQcGl"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
localListDone: true deliveryDone: true
Nothing to do
log_maildispatcher: Empty queue.
New notification bus: "/subscriber/akonadi_maildispatcher_agent_1693_qDa3oa"
org.kde.akonadi.ETM: GEN true false true
org.kde.akonadi.ETM: collection: QVector()
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Database "akonadi" opened using driver "QMYSQL"
localListDone: true deliveryDone: true
Nothing to do
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_mailfilter_agent_1694_pzSysP" false
"/subscriber/akonadi_mailfilter_agent_1694_pzSysP"
localListDone: true deliveryDone: true
Nothing to do
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Received: 0 In total: 0 Wanted: -1
finished
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/akonadi_maildispatcher_agent_1693_IJHPW7"
New notification bus: "/subscriber/akonadi_maildispatcher_agent_1693_QqRD9E"
org.kde.akonadi.ETM: GEN true false false
Database "akonadi" opened using driver "QMYSQL"
org.kde.akonadi.ETM: collection: QVector()
org.kde.akonadi.ETM:
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Read defaultResourceId "akonadi_maildir_resource_0" from config.
Found resource "akonadi_maildir_resource_0"
New notification bus: "/subscriber/akonadi_followupreminder_agent_1690_yFmpaf"
New notification bus: "/subscriber/akonadi_migration_agent_1696_hlf53V"
log_kidentitymanagement: IdentityManager: There was no default identity. Marking first one as default.
log_kidentitymanagement: Store: "Default Domain" : QVariant(QString, "twister")
log_kidentitymanagement: Store: "Signature Enabled" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Disable Fcc" : QVariant(QString, "false")
log_kidentitymanagement: Store: "Image Location" : QVariant(QString, "")
log_kidentitymanagement: Store: "Dictionary" : QVariant(QString, "English (United States of America)")
log_kidentitymanagement: Store: "Inline Signature" : QVariant(QString, "")
log_kidentitymanagement: Store: "uoid" : QVariant(QString, "0")
"Archive Mail Kernel ETM"
completeShutdownOrCheckpoint called
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_archivemail_agent_1686_fS7a9Z" false
completeShutdownOrCheckpoint called
"/subscriber/akonadi_archivemail_agent_1686_fS7a9Z"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_archivemail_agent_1686_jVs7r4" false
"/subscriber/akonadi_archivemail_agent_1686_jVs7r4"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
org.kde.akonadi.ETM: GEN true false false
org.kde.akonadi.ETM: collection: QVector()
org.kde.akonadi.ETM:
completeShutdownOrCheckpoint called
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/akonadi_newmailnotifier_agent_1697_oFXTjt"
Fetched 7 collections.
log_akonadiserver: only display
Fetched root collection 5 and 7 local folders (total 7 collections).
resourceId "akonadi_maildir_resource_0"
All done! Comitting.
Emitting changed for "akonadi_maildir_resource_0"
Emitting defaultFoldersChanged.
log_maildispatcher: Changed outbox to 6
log_maildispatcher: Fetching items in collection 6
log_maildispatcher: Fetched 0 items.
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/akonadi_notes_agent_1698_rHp7rl"
New notification bus: "/subscriber/akonadi_notes_agent_1698_8iQcGl"
org.kde.akonadi.ETM: Subtree: 9 QSet(9)
org.kde.akonadi.ETM: collection: "Notes"
org.kde.akonadi.ETM: Fetch job took 217 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 1
org.kde.akonadi.ETM: first fetched collection: "Notes"
localListDone: false deliveryDone: true
org.kde.akonadi.ETM: Fetch job took 5 msec
org.kde.akonadi.ETM: was item fetch job: items: 0
localListDone: true deliveryDone: true
Nothing to do
New notification bus: "/subscriber/akonadi_mailfilter_agent_1694_M81klz"
New notification bus: "/subscriber/akonadi_mailfilter_agent_1694_pzSysP"
New notification bus: "/subscriber/akonadi_mailfilter_agent_1694_hh43XM"
org.kde.akonadi.ETM: Subtree: 5 QSet(10, 11, 12, 13, 6, 7, 5)
org.kde.akonadi.ETM: Fetch job took 167 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 7
org.kde.akonadi.ETM: first fetched collection: "Local Folders"
QDBusObjectPath Akonadi::Server::NotificationManager::subscribe(const QString&, bool) Akonadi::Server::NotificationManager(0x10174c0) "akonadi_mailfilter_agent_1694_noRt9w" false
"/subscriber/akonadi_mailfilter_agent_1694_noRt9w"
connectToServer "/tmp/akonadi-bw.9lhVBj/akonadiserver.socket"
Database "akonadi" opened using driver "QMYSQL"
org.kde.akonadi.ETM: collection: QVector()
org.kde.akonadi.ETM: Fetch job took 180 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 6
org.kde.akonadi.ETM: first fetched collection: "Search"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/akonadi_mailfilter_agent_1694_noRt9w"
org.kde.akonadi.ETM: Fetch job took 3 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 0
New notification bus: "/subscriber/akonadi_sendlater_agent_1699_bmyrmQ"
Connected to "Akonadi" , using protocol version 51
Server says: "Not Really IMAP server"
New notification bus: "/subscriber/akonadi_archivemail_agent_1686_jVs7r4"
New notification bus: "/subscriber/akonadi_archivemail_agent_1686_fS7a9Z"
New notification bus: "/subscriber/akonadi_archivemail_agent_1686_bhaiEb"
org.kde.akonadi.ETM: Subtree: 5 QSet(13, 12, 11, 10, 7, 6, 5)
org.kde.akonadi.ETM: Fetch job took 116 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 7
org.kde.akonadi.ETM: first fetched collection: "Local Folders"
org.kde.akonadi.ETM: collection: QVector()
org.kde.akonadi.ETM: Fetch job took 120 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 6
org.kde.akonadi.ETM: first fetched collection: "Search"
org.kde.akonadi.ETM: Fetch job took 2 msec
org.kde.akonadi.ETM: was collection fetch job: collections: 0
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_contacts_resource' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_contacts_resource'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1825 terminated.
Registering "org.kde.StatusNotifierHost-1566" as system tray
Known plasmoid ids: QHash(("org.kde.plasma.printmanager", 31)("org.kde.plasma.clipboard", 27)("org.kde.kdeconnect", 29)("org.kde.plasma.mediacontroller", 35)("org.kde.plasma.devicenotifier", 28)("org.kde.muonnotifier", 32)("org.kde.plasma.notifications", 30)("org.kde.plasma.ktplegacypresenceapplet", 37)("org.kde.plasma.bluetooth", 34)("org.kde.plasma.networkmanagement", 33)("org.kde.plasma.battery", 26))
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
unversioned plugin detected, may result in instability
org.kde.plasma.pulseaudio: Attempting connection to PulseAudio sound daemon
org.kde.plasma.pulseaudio: QHash((261, "Properties")(260, "Index")(263, "Muted")(262, "Volume")(257, "Index")(259, "ObjectName")(258, "PulseObject")(269, "Ports")(268, "CardIndex")(270, "ActivePortIndex")(265, "VolumeWritable")(264, "HasVolume")(267, "Description")(266, "Name"))
org.kde.plasma.pulseaudio: QHash((261, "Properties")(260, "Index")(263, "Muted")(262, "Volume")(257, "Index")(259, "ObjectName")(258, "PulseObject")(269, "Ports")(268, "CardIndex")(270, "ActivePortIndex")(265, "VolumeWritable")(264, "HasVolume")(267, "Description")(266, "Name"))
file:///usr/lib/x86_64-linux-gnu/qt5/qml/org/kde/plasma/extras/ScrollArea.qml:48: Error: Cannot assign to non-existent property "interactive"
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollBar.qml:95: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollBar.qml:95: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:116: TypeError: Cannot read property 'corner' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:67: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:68: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:69: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:70: TypeError: Cannot read property 'padding' of null
file:///usr/share/plasma/plasmoids/org.kde.plasma.clipboard/contents/ui/clipboard.qml:32: TypeError: Cannot read property 'empty' of undefined
file:///usr/share/plasma/plasmoids/org.kde.plasma.clipboard/contents/ui/clipboard.qml:34: TypeError: Cannot read property 'empty' of undefined
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_maildir_resource' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_maildir_resource'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1829 terminated.
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollBar.qml:95: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollBar.qml:95: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:116: TypeError: Cannot read property 'corner' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:67: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:68: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:69: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:70: TypeError: Cannot read property 'padding' of null
Notifications service registered
XSync seems available and ready
XSync Inited
Supported, init completed
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:110:17: Unable to assign [undefined] to QObject*
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:89: TypeError: Cannot read property 'effectivePressed' of undefined
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:110:17: Unable to assign [undefined] to QObject*
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:89: TypeError: Cannot read property 'effectivePressed' of undefined
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:110:17: Unable to assign [undefined] to QObject*
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:89: TypeError: Cannot read property 'effectivePressed' of undefined
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:110:17: Unable to assign [undefined] to QObject*
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:89: TypeError: Cannot read property 'effectivePressed' of undefined
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
QMetaObject::invokeMethod: No such method KCupsConnection::connectNotifyQueued()
Candidates are:
connectNotifyQueued(QString)
libkcups: Get-Jobs last error: 0 successful-ok
libkcups: Get-Jobs last error: 0 successful-ok
Plasma Shell startup completed
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
Both point size and pixel size set. Using pixel size.
Both point size and pixel size set. Using pixel size.
Both point size and pixel size set. Using pixel size.
Both point size and pixel size set. Using pixel size.
file:///usr/share/plasma/plasmoids/org.kde.plasma.digitalclock/contents/ui/DigitalClock.qml:428:5: QML Text: Cannot anchor to a null item.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_ical_resource' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_ical_resource'
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.muonnotifier/contents/ui/main.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1843 terminated.
ST : DBus service "org.kde.Solid.PowerManagement" appeared. Loading "org.kde.plasma.battery"
unversioned plugin detected, may result in instability
ST : DBus service "org.freedesktop.Telepathy.MissionControl5" appeared. Loading "org.kde.ktp-contactlist"
unversioned plugin detected, may result in instability
kdeinit5: PID 1778 terminated.
libkcups: 1
libkcups: 10
ST : DBus service "org.freedesktop.NetworkManager" appeared. Loading "org.kde.plasma.networkmanagement"
unversioned plugin detected, may result in instability
ST : DBus service "org.bluez" appeared. Loading "org.kde.plasma.bluetooth"
unversioned plugin detected, may result in instability
org.kde.plasma.pulseaudio: state callback
powerdevil: Screen brightness value: 5
powerdevil: Screen brightness value max: 100
powerdevil: Screen brightness value: 5
powerdevil: Screen brightness value max: 100
Skipped method "moduleDeleted" : Pointers are not supported: KDEDModule*
networkmanager-qt: void NetworkManager::NetworkManagerPrivate::propertiesChanged(const QVariantMap&) Unhandled property "Devices"
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
file:///usr/share/plasma/plasmoids/org.kde.plasma.bluetooth/contents/ui/BluetoothApplet.qml: QML Plasmoid: Cannot anchor to an item that isn't a parent or sibling.
networkmanager-qt: void NetworkManager::NetworkManagerPrivate::propertiesChanged(const QVariantMap&) Unhandled property "Devices"
ktp-common-internals: Current presence changed
ktp-common-internals: Current presence changed
org.kde.plasma.pulseaudio: state callback
org.kde.plasma.pulseaudio: state callback
org.kde.plasma.pulseaudio: ready
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_followupreminder_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_followupreminder_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1849 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_maildispatcher_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_maildispatcher_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1853 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_migration_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_migration_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1854 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_newmailnotifier_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_newmailnotifier_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1856 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_archivemail_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_archivemail_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1857 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_notes_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_notes_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1858 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_mailfilter_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_mailfilter_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1859 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/akonadi_sendlater_agent' from launcher.
kdeinit5: preparing to launch '/usr/bin/akonadi_sendlater_agent'
akonadiagentbase_log: Identifier argument missing
kdeinit5: PID 1860 terminated.
kdeinit5: Got EXEC_NEW '/usr/bin/korgac' from launcher.
kdeinit5: preparing to launch '/usr/bin/korgac'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 4697, resource id: 10485782, major code: 18 (ChangeProperty), minor code: 0
kf5.kded: found kded module "notificationhelper" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "khotkeys" by prepending 'kded_' to the library path, please fix your metadata.
Installing the delayed initialization callback.
kf5.kded: found kded module "freespacenotifier" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "remotedirnotify" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "appmenu" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "keyboard" by prepending 'kded_' to the library path, please fix your metadata.
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: Parsing xkb rules from "/usr/share/X11/xkb/rules/evdev.xml"
kcm_keyboard: xkbConfigRegistry version "1.1"
"Trying to convert empty KLocalizedString to QString."
"Trying to convert empty KLocalizedString to QString."
"Trying to convert empty KLocalizedString to QString."
kcm_keyboard: Parsing xkb rules from "/usr/share/X11/xkb/rules/evdev.extras.xml"
kcm_keyboard: Merged from extra rules: 36 layouts, 0 models, 0 option groups
kcm_keyboard: Configuring keyboard
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched keyboard model from X server: "pc105"
kcm_keyboard: Executed successfully in 29 ms "/usr/bin/setxkbmap -model pc101 -layout ch -variant de_nodeadkeys"
kcm_keyboard: and with xmodmap 29 ms
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: Skipping empty shortcut for "ch(de_nodeadkeys)"
kcm_keyboard: Cleaning component shortcuts on load true
kcm_keyboard: Registered for new device events from XInput, class 81
kcm_keyboard: qCoreApp QApplication(0x7ffccbc60570)
kcm_keyboard: Restoring keyboard layout map from "/home/bw/.local/share/kded5/keyboard/session/layout_memory.xml"
kcm_keyboard: Restored global layout "ch(de_nodeadkeys)"
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: 0
kf5.kded: found kded module "solidautoeject" by prepending 'kded_' to the library path, please fix your metadata.
kf5.kded: found kded module "kwrited" by prepending 'kded_' to the library path, please fix your metadata.
kcm_keyboard: configuring layouts true configuring options false
ksmserver: Starting notification thread
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
ksmserver: Kcminit phase 2 done
ksmserver: Autostart 2 done
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
kcm_keyboard: configuring layouts true configuring options false
kcm_keyboard: Fetched layout groups from X server: layouts: ("ch") variants: ("de_nodeadkeys")
Delayed initialization.
Reloading the khotkeys configuration
Version 2 File!
SHO QKeySequence("")
SHO QObject(0x0)
SHO QKeySequence("Print")
SHO QObject(0x0)
true
Imported file "/usr/share/khotkeys/printscreen.khotkeys"
Imported file "/usr/share/khotkeys/defaults.khotkeys"
Imported file "/usr/share/khotkeys/kde32b1.khotkeys"
Imported file "/usr/share/khotkeys/konqueror_gestures_kde321.khotkeys"
kdeinit5: PID 1861 terminated.
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Styles/Plasma/TextFieldStyle.qml:42: TypeError: Cannot read property 'echoMode' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Styles/Base/TextFieldStyle.qml:75: TypeError: Cannot read property '__contentHeight' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Styles/Base/TextFieldStyle.qml:75: TypeError: Cannot read property '__contentHeight' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:70: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:69: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:68: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:67: TypeError: Cannot read property 'padding' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollViewHelper.qml:116: TypeError: Cannot read property 'corner' of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollBar.qml:95: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Private/ScrollBar.qml:95: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
file:///usr/lib/x86_64-linux-gnu/qt5/qml/QtQuick/Controls/Button.qml:100: TypeError: Cannot read property of null
org.kde.kurifilter-shorturi: "xc"
org.kde.kurifilter-shorturi: path = "xc" isLocalFullPath= false exists= false url= QUrl( "xc" )
matches "krunner://shell/shell_xchat"
matches "krunner://services/services_xchat.desktop"
(QUrl("file:///usr/share/applications/xchat.desktop") )
(QUrl("file:///usr/share/applications/xchat.desktop") )
QQuickItem::ungrabMouse(): Item is not the mouse grabber.
Opening item with URL "krunner://services/services_xchat.desktop"
Recent app added "xchat.desktop" 1
More than the maximal 5 services added. Removing "kde4-ktorrent.desktop" from queue.
kdeinit5: Got EXT_EXEC '/bin/sh' from launcher.
kdeinit5: preparing to launch '/bin/sh'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 13433, resource id: 94371841, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 13437, resource id: 94371842, major code: 18 (ChangeProperty), minor code: 0
Missing argument for --url
no winId: probably startup task
QXcbConnection: XCB error: 3 (BadWindow), sequence: 15757, resource id: 94371843, major code: 15 (QueryTree), minor code: 0
log_koalarmclient: Check: "Di. Nov. 17 21:20:43 2015" - "Di. Nov. 17 21:21:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:21:41 2015" - "Di. Nov. 17 21:22:40 2015"
QQuickItem::ungrabMouse(): Item is not the mouse grabber.
Opening item with URL "/usr/share/applications/firefox.desktop"
kdeinit5: Got EXT_EXEC '/usr/bin/firefox' from launcher.
kdeinit5: preparing to launch '/usr/bin/firefox'
Duplicate entry added. Removing existing entry from queue.
Recent app added "firefox.desktop" 2
QXcbConnection: XCB error: 3 (BadWindow), sequence: 35860, resource id: 98566145, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 35905, resource id: 98566146, major code: 18 (ChangeProperty), minor code: 0
1447791776360 addons.xpi WARN Exception running bootstrap method startup on {fe272bd1-5f76-4ea4-8501-a05d35d823fc}: ReferenceError: invalid assignment left-hand side (resource://gre/modules/addons/XPIProvider.jsm -> jar:file:///home/bw/.mozilla/firefox/w2r1lt9k.default-1433181410726/extensions/%7Bfe272bd1-5f76-4ea4-8501-a05d35d823fc%7D.xpi!/bootstrap.js -> jar:file:///home/bw/.mozilla/firefox/w2r1lt9k.default-1433181410726/extensions/%7Bfe272bd1-5f76-4ea4-8501-a05d35d823fc%7D.xpi!/lib/ui.js:407:5) JS Stack trace: require@bootstrap.js:141:4 < @main.js:19:1 < require@bootstrap.js:141:4 < startup@bootstrap.js:28:2 < XPI_callBootstrapMethod@XPIProvider.jsm:4774:9 < XPI_startup@XPIProvider.jsm:2484:13 < callProvider@AddonManager.jsm:221:12 < _startProvider@AddonManager.jsm:828:5 < AMI_startup@AddonManager.jsm:999:9 < AMP_startup@AddonManager.jsm:2672:5 < AMC_observe@addonManager.js:58:7
kdeinit5: PID 1908 terminated.
QXcbConnection: XCB error: 3 (BadWindow), sequence: 59579, resource id: 98566323, major code: 15 (QueryTree), minor code: 0
1447791799807 addons.xpi WARN Exception running bootstrap method startup on {fe272bd1-5f76-4ea4-8501-a05d35d823fc}: ReferenceError: invalid assignment left-hand side (resource://gre/modules/addons/XPIProvider.jsm -> jar:file:///home/bw/.mozilla/firefox/w2r1lt9k.default-1433181410726/extensions/%7Bfe272bd1-5f76-4ea4-8501-a05d35d823fc%7D.xpi!/bootstrap.js -> jar:file:///home/bw/.mozilla/firefox/w2r1lt9k.default-1433181410726/extensions/%7Bfe272bd1-5f76-4ea4-8501-a05d35d823fc%7D.xpi!/lib/ui.js:407:5) JS Stack trace: require@bootstrap.js:141:4 < @main.js:19:1 < require@bootstrap.js:141:4 < startup@bootstrap.js:28:2 < XPI_callBootstrapMethod@XPIProvider.jsm:4774:9 < XPI_startup@XPIProvider.jsm:2484:13 < callProvider@AddonManager.jsm:221:12 < _startProvider@AddonManager.jsm:828:5 < AMI_startup@AddonManager.jsm:999:9 < AMP_startup@AddonManager.jsm:2672:5 < AMC_observe@addonManager.js:58:7
QXcbConnection: XCB error: 3 (BadWindow), sequence: 65222, resource id: 10485763, major code: 15 (QueryTree), minor code: 0
QQuickItem::ungrabMouse(): Item is not the mouse grabber.
Opening item with URL "/usr/share/applications/firefox.desktop"
Duplicate entry added. Removing existing entry from queue.
Recent app added "firefox.desktop" 3
kdeinit5: Got EXT_EXEC '/usr/bin/firefox' from launcher.
kdeinit5: preparing to launch '/usr/bin/firefox'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 4577, resource id: 98566145, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 4627, resource id: 98566146, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 4943, resource id: 98566146, major code: 18 (ChangeProperty), minor code: 0
Failed to open BO for returned DRI2 buffer (1920x35, dri2 back buffer, named 5).
This is likely a bug in the X Server that will lead to a crash soon.
kdeinit5: PID 2031 terminated.
no winId: probably startup task
log_koalarmclient: Check: "Di. Nov. 17 21:22:41 2015" - "Di. Nov. 17 21:23:40 2015"
QQuickItem::ungrabMouse(): Item is not the mouse grabber.
Opening item with URL "/usr/share/applications/org.kde.konsole.desktop"
kdeinit5: Got EXT_EXEC '/usr/bin/konsole' from launcher.
kdeinit5: preparing to launch '/usr/bin/konsole'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 22733, resource id: 10485761, major code: 18 (ChangeProperty), minor code: 0
Duplicate entry added. Removing existing entry from queue.
Recent app added "org.kde.konsole.desktop" 2
QXcbConnection: XCB error: 3 (BadWindow), sequence: 22737, resource id: 10485762, major code: 18 (ChangeProperty), minor code: 0
QCoreApplication::arguments: Please instantiate the QApplication object first
QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave.
QXcbConnection: XCB error: 3 (BadWindow), sequence: 23229, resource id: 10485761, major code: 18 (ChangeProperty), minor code: 0
kdeinit5: PID 2047 terminated.
no winId: probably startup task
ApportEvent :: hidden= false apport-kde= true apport-gtk= false
Using ApportEvent
""
foundCrashFile false foundAutoUpload false
QDBusArgument& operator<<(QDBusArgument&, const DeviceList&) is noop
Registering "org.kde.StatusNotifierItem-1510-1/StatusNotifierItem" to system tray
Registering "org.kde.StatusNotifierItem-1510-1/StatusNotifierItem"
systemtray: ST new task "org.kde.StatusNotifierItem-1510-1/StatusNotifierItem"
Currrent active notifications: QHash()
Guessing partOf as: 0
New Notification: "System Notification Helper" "Software upgrade notifications are available" 10000 & Part of: 0
trying to show an empty dialog
trying to show an empty dialog
trying to show an empty dialog
trying to show an empty dialog
KDE Languages: ()
("en_US.UTF-8", "en", "_US", "US", ".UTF-8", "UTF-8", "", "")
System Language Matchables: ("en_US", "en")
matched "en_US"
completeness: true
file:///usr/share/plasma/plasmoids/org.kde.plasma.systemtray/contents/ui/StatusNotifierItem.qml:131:13: QML Image: Failed to get image from provider: image://icon/
org.kde.kurifilter-ikws: "0.000000] Initializing cgroup subsys cpuset [ 0.000000] Initializing cgroup subsys cpu [ 0.000000] Initializing cgroup subsys cpuacct [ 0.000000] Linux version 3.16.0-34-generic (buildd@toyol) (gcc version 4.9.1 (Ubuntu 4.9.1-16ubuntu6) ) #47-Ubuntu SMP Fri Apr 10 18:02:58 UTC 2015 (Ubuntu 3.16.0-34.47-generic 3.16.7-ckt8) [ 0.000000] Command line: BOOT_IMAGE=/vmlinuz-3.16.0-34-generic.efi.signed root=/dev/mapper/kubuntu--vg-root ro quiet splash vt.handoff=7 [ 0.000000] KERNEL supported cpus: [ 0.000000] Intel GenuineIntel [ 0.000000] AMD AuthenticAMD [ 0.000000] Centaur CentaurHauls [ 0.000000] e820: BIOS-provided physical RAM map: [ 0.000000] BIOS-e820: [mem 0x0000000000000000-0x000000000003efff] usable [ 0.000000] BIOS-e820: [mem 0x000000000003f000-0x000000000003ffff] ACPI NVS [ 0.000000] BIOS-e820: [mem 0x0000000000040000-0x000000000009dfff] usable [ 0.000000] BIOS-e820: [mem 0x000000000009e000-0x000000000009ffff] reserved [ 0.000000] BIOS-e820: [mem 0x0000000000100000-0x000000001effffff] usable [ 0.000000] BIOS-e820: [mem 0x000000001f000000-0x000000001f0fffff] reserved [ 0.000000] BIOS-e820: [mem 0x000000001f100000-0x000000001fffffff] usable [ 0.000000] BIOS-e820: [mem 0x0000000020000000-0x00000000200fffff] reserved [ 0.000000] BIOS-e820: [mem 0x0000000020100000-0x00000000b930cfff] usable [ 0.000000] BIOS-e820: [mem 0x00000000b930d000-0x00000000b933cfff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000b933d000-0x00000000b974cfff] usable [ 0.000000] BIOS-e820: [mem 0x00000000b974d000-0x00000000b984ffff] ACPI NVS [ 0.000000] BIOS-e820: [mem 0x00000000b9850000-0x00000000b9ad5fff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000b9ad6000-0x00000000b9b23fff] type 20 [ 0.000000] BIOS-e820: [mem 0x00000000b9b24000-0x00000000b9b24fff] usable [ 0.000000] BIOS-e820: [mem 0x00000000b9b25000-0x00000000b9b66fff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000b9b67000-0x00000000b9cd6fff] usable [ 0.000000] BIOS-e820: [mem 0x00000000b9cd7000-0x00000000b9ff9fff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000b9ffa000-0x00000000b9ffffff] usable [ 0.000000] BIOS-e820: [mem 0x00000000e00f8000-0x00000000e00f8fff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000fed01000-0x00000000fed01fff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000fed08000-0x00000000fed08fff] reserved [ 0.000000] BIOS-e820: [mem 0x00000000ffb00000-0x00000000ffffffff] reserved [ 0.000000] BIOS-e820: [mem 0x0000000100000000-0x000000023fffffff] usable [ 0.000000] NX (Execute Disable) protection: active [ 0.000000] efi: EFI v2.40 by American Megatrends [ 0.000000] efi: ACPI=0xb97d4000 ACPI 2.0=0xb97d4000 SMBIOS=0xb99fbf98 [ 0.000000] efi: mem00: type=7, attr=0xf, range=[0x0000000000000000-0x000000000003f000) (0MB) [ 0.000000] efi: mem01: type=10, attr=0xf, range=[0x000000000003f000-0x0000000000040000) (0MB) [ 0.000000] efi: mem02: type=7, attr=0xf, range=[0x0000000000040000-0x000000000009e000) (0MB) [ 0.000000] efi: mem03: type=0, attr=0xf, range=[0x000000000009e000-0x00000000000a0000) (0MB) [ 0.000000] efi: mem04: type=2, attr=0xf, range=[0x0000000000100000-0x00000000014f6000) (19MB) [ 0.000000] efi: mem05: type=7, attr=0xf, range=[0x00000000014f6000-0x0000000002000000) (11MB) [ 0.000000] efi: mem06: type=2, attr=0xf, range=[0x0000000002000000-0x00000000033f6000) (19MB) [ 0.000000] efi: mem07: type=7, attr=0xf, range=[0x00000000033f6000-0x000000001f000000) (444MB) [ 0.000000] efi: mem08: type=0, attr=0xf, range=[0x000000001f000000-0x000000001f100000) (1MB) [ 0.000000] efi: mem09: type=7, attr=0xf, range=[0x000000001f100000-0x0000000020000000) (15MB) [ 0.000000] efi: mem10: type=0, attr=0xf, range=[0x0000000020000000-0x0000000020100000) (1MB) [ 0.000000] efi: mem11: type=7, attr=0xf, range=[0x0000000020100000-0x000000003453c000) (324MB) [ 0.000000] efi: mem12: type=2, attr=0xf, range=[0x000000003453c000-0x0000000036296000) (29MB) [ 0.000000] efi: mem13: type=7, attr=0xf, range=[0x0000000036296000-0x000000006cb9a000) (873MB) [ 0.000000] efi: mem14: type=2, attr=0xf, range=[0x000000006cb9a000-0x000000009a000000) (724MB) [ 0.000000] efi: mem15:
type=4, attr=0xf, range=[0x000000009a000000-0x000000009a020000) (0MB) [ 0.000000] efi: mem16: type=7, attr=0xf, range=[0x000000009a020000-0x00000000b4d23000) (429MB) [ 0.000000] efi: mem17: type=1, attr=0xf, range=[0x00000000b4d23000-0x00000000b4e0d000) (0MB) [ 0.000000] efi: mem18: type=4, attr=0xf, range=[0x00000000b4e0d000-0x00000000b8d0d000) (63MB) [ 0.000000] efi: mem19: type=7, attr=0xf, range=[0x00000000b8d0d000-0x00000000b909a000) (3MB) [ 0.000000] efi: mem20: type=3, attr=0xf, range=[0x00000000b909a000-0x00000000b930d000) (2MB) [ 0.000000] efi: mem21: type=0, attr=0xf, range=[0x00000000b930d000-0x00000000b933d000) (0MB) [ 0.000000] efi: mem22: type=7, attr=0xf, range=[0x00000000b933d000-0x00000000b9743000) (4MB) [ 0.000000] efi: mem23: type=2, attr=0xf, range=[0x00000000b9743000-0x00000000b974d000) (0MB) [ 0.000000] efi: mem24: type=10, attr=0xf, range=[0x00000000b974d000-0x00000000b9850000) (1MB) [ 0.000000] efi: mem25: type=6, attr=0x800000000000000f, range=[0x00000000b9850000-0x00000000b9ad6000) (2MB) [ 0.000000] efi: mem26: type=5, attr=0x800000000000000f, range=[0x00000000b9ad6000-0x00000000b9b24000) (0MB) [ 0.000000] efi: mem27: type=4, attr=0xf, range=[0x00000000b9b24000-0x00000000b9b25000) (0MB) [ 0.000000] efi: mem28: type=6, attr=0x800000000000000f, range=[0x00000000b9b25000-0x00000000b9b67000) (0MB) [ 0.000000] efi: mem29: type=4, attr=0xf, range=[0x00000000b9b67000-0x00000000b9cd7000) (1MB) [ 0.000000] efi: mem30: type=6, attr=0x800000000000000f, range=[0x00000000b9cd7000-0x00000000b9ffa000) (3MB) [ 0.000000] efi: mem31: type=4, attr=0xf, range=[0x00000000b9ffa000-0x00000000ba000000) (0MB) [ 0.000000] efi: mem32: type=7, attr=0xf, range=[0x0000000100000000-0x0000000240000000) (5120MB) [ 0.000000] efi: mem33: type=11, attr=0x8000000000000000, range=[0x00000000e00f8000-0x00000000e00f9000) (0MB) [ 0.000000] efi: mem34: type=11, attr=0x8000000000000000, range=[0x00000000fed01000-0x00000000fed02000) (0MB) [ 0.000000] efi: mem35: type=11, attr=0x8000000000000000, range=[0x00000000fed08000-0x00000000fed09000) (0MB) [ 0.000000] efi: mem36: type=11, attr=0x8000000000000000, range=[0x00000000ffb00000-0x0000000100000000) (5MB) [ 0.000000] SMBIOS 2.8 present. [ 0.000000] DMI: Motherboard by ZOTAC ZBOX-CI320NANO series/ZBOX-CI320NANO series, BIOS B219P019 10/17/2014 [ 0.000000] e820: update [mem 0x00000000-0x00000fff] usable ==> reserved [ 0.000000] e820: remove [mem 0x000a0000-0x000fffff] usable [ 0.000000] AGP: No AGP bridge found [ 0.000000] e820: last_pfn = 0x240000 max_arch_pfn = 0x400000000 [ 0.000000] MTRR default type: uncachable [ 0.000000] MTRR fixed ranges enabled: [ 0.000000] 00000-9FFFF write-back [ 0.000000] A0000-FFFFF uncachable [ 0.000000] MTRR variable ranges enabled: [ 0.000000] 0 base 000000000 mask F80000000 write-back [ 0.000000] 1 base 080000000 mask FC0000000 write-back [ 0.000000] 2 base 0BA800000 mask FFF800000 uncachable [ 0.000000] 3 base 0BB000000 mask FFF000000 uncachable [ 0.000000] 4 base 0BC000000 mask FFC000000 uncachable [ 0.000000] 5 base 100000000 mask F00000000 write-back [ 0.000000] 6 base 200000000 mask FC0000000 write-back [ 0.000000] 7 disabled [ 0.000000] x86 PAT enabled: cpu 0, old 0x7040600070406, new 0x7010600070106 [ 0.000000] original variable MTRRs [ 0.000000] reg 0, base: 0GB, range: 2GB, type WB [ 0.000000] reg 1, base: 2GB, range: 1GB, type WB [ 0.000000] reg 2, base: 2984MB, range: 8MB, type UC [ 0.000000] reg 3, base: 2992MB, range: 16MB, type UC [ 0.000000] reg 4, base: 3008MB, range: 64MB, type UC [ 0.000000] reg 5, base: 4GB, range: 4GB, type WB [ 0.000000] reg 6, base: 8GB, range: 1GB, type WB [ 0.000000] total RAM covered: 8104M [ 0.000000] Found optimal setting for mtrr clean up [ 0.000000] gran_size: 64K chunk_size: 128M num_reg: 7 lose cover RAM: 0G [ 0.000000] New variable MTRRs [ 0.000000] reg 0, base: 0GB, range: 2GB, type WB [ 0.000000] reg 1, base: 2GB, range: 1GB, type WB [ 0.000000] reg 2, base: 2984MB, range: 8MB, type UC [ 0.000000] reg 3, base: 2992MB, range: 16MB, type UC [ 0.000000] reg 4, base: 3008MB, range: 64MB, type UC [ 0.000000] reg
5, base: 4GB, range: 4GB, type WB [ 0.000000] reg 6, base: 8GB, range: 1GB, type WB [ 0.000000] e820: update [mem 0xba800000-0xffffffff] usable ==> reserved [ 0.000000] e820: last_pfn = 0xba000 max_arch_pfn = 0x400000000 [ 0.000000] Scanning 1 areas for low memory corruption [ 0.000000] Base memory trampoline at [ffff880000098000] 98000 size 24576 [ 0.000000] init_memory_mapping: [mem 0x00000000-0x000fffff] [ 0.000000] [mem 0x00000000-0x000fffff] page 4k [ 0.000000] BRK [0x02fd2000, 0x02fd2fff] PGTABLE [ 0.000000] BRK [0x02fd3000, 0x02fd3fff] PGTABLE [ 0.000000] BRK [0x02fd4000, 0x02fd4fff] PGTABLE [ 0.000000] init_memory_mapping: [mem 0x23fe00000-0x23fffffff] [ 0.000000] [mem 0x23fe00000-0x23fffffff] page 2M [ 0.000000] BRK [0x02fd5000, 0x02fd5fff] PGTABLE [ 0.000000] init_memory_mapping: [mem 0x23c000000-0x23fdfffff] [ 0.000000] [mem 0x23c000000-0x23fdfffff] page 2M [ 0.000000] init_memory_mapping: [mem 0x200000000-0x23bffffff] [ 0.000000] [mem 0x200000000-0x23bffffff] page 2M [ 0.000000] init_memory_mapping: [mem 0x00100000-0x1effffff] [ 0.000000] [mem 0x00100000-0x001fffff] page 4k [ 0.000000] [mem 0x00200000-0x1effffff] page 2M [ 0.000000] init_memory_mapping: [mem 0x1f100000-0x1fffffff] [ 0.000000] [mem 0x1f100000-0x1f1fffff] page 4k [ 0.000000] [mem 0x1f200000-0x1fffffff] page 2M [ 0.000000] BRK [0x02fd6000, 0x02fd6fff] PGTABLE [ 0.000000] init_memory_mapping: [mem 0x20100000-0xb930cfff] [ 0.000000] [mem 0x20100000-0x201fffff] page 4k [ 0.000000] [mem 0x20200000-0xb91fffff] page 2M [ 0.000000] [mem 0xb9200000-0xb930cfff] page 4k [ 0.000000] BRK [0x02fd7000, 0x02fd7fff] PGTABLE [ 0.000000] init_memory_mapping: [mem 0xb933d000-0xb974cfff] [ 0.000000] [mem 0xb933d000-0xb93fffff] page 4k [ 0.000000] [mem 0xb9400000-0xb95fffff] page 2M [ 0.000000] [mem 0xb9600000-0xb974cfff] page 4k [ 0.000000] init_memory_mapping: [mem 0xb9b24000-0xb9b24fff] [ 0.000000] [mem 0xb9b24000-0xb9b24fff] page 4k [ 0.000000] init_memory_mapping: [mem 0xb9b67000-0xb9cd6fff] [ 0.000000] [mem 0xb9b67000-0xb9cd6fff] page 4k [ 0.000000] init_memory_mapping: [mem 0xb9ffa000-0xb9ffffff] [ 0.000000] [mem 0xb9ffa000-0xb9ffffff] page 4k [ 0.000000] init_memory_mapping: [mem 0x100000000-0x1ffffffff] [ 0.000000] [mem 0x100000000-0x1ffffffff] page 2M [ 0.000000] RAMDISK: [mem 0x3453c000-0x36295fff] [ 0.000000] ACPI: Early table checksum verification disabled [ 0.000000] ACPI: RSDP 0x00000000B97D4000 000024 (v02 ALASKA) [ 0.000000] ACPI: XSDT 0x00000000B97D4088 00008C (v01 ALASKA A M I 01072009 AMI 00010013) [ 0.000000] ACPI: FACP 0x00000000B97DE880 00010C (v05 ALASKA A M I 01072009 AMI 00010013) [ 0.000000] ACPI BIOS Warning (bug): 32/64X length mismatch in FADT/Gpe0Block: 128/32 (20140424/tbfadt-618) [ 0.000000] ACPI: DSDT 0x00000000B97D41A8 00A6D4 (v02 ALASKA A M I 01072009 INTL 20120913) [ 0.000000] ACPI: FACS 0x00000000B984FF80 000040 [ 0.000000] ACPI: APIC 0x00000000B97DE990 000084 (v03 ALASKA A M I 01072009 AMI 00010013) [ 0.000000] ACPI: FPDT 0x00000000B97DEA18 000044 (v01 ALASKA A M I 01072009 AMI 00010013) [ 0.000000] ACPI: FIDT 0x00000000B97DEA60 00009C (v01 ALASKA A M I 01072009 AMI 00010013) [ 0.000000] ACPI: MCFG 0x00000000B97DEB00 00003C (v01 ALASKA A M I 01072009 MSFT 00000097) [ 0.000000] ACPI: LPIT 0x00000000B97DEB40 000104 (v01 ALASKA A M I 00000003 VLV2 0100000D) [ 0.000000] ACPI: HPET 0x00000000B97DEC48 000038 (v01 ALASKA A M I 01072009 AMI. 00000005) [ 0.000000] ACPI: SSDT 0x00000000B97DEC80 000763 (v01 PmRef CpuPm 00003000 INTL 20061109) [ 0.000000] ACPI: SSDT 0x00000000B97DF3E8 000290 (v01 PmRef Cpu0Tst 00003000 INTL 20061109) [ 0.000000] ACPI: SSDT 0x00000000B97DF678 00017A (v01 PmRef ApTst 00003000 INTL 20061109) [ 0.000000] ACPI: UEFI 0x00000000B97DF7F8 000042 (v01 ALASKA A M I 00000000 00000000) [ 0.000000] ACPI: CSRT 0x00000000B97DF840 00014C (v00 INTEL EDK2 00000005 INTL 20120624) [ 0.000000] ACPI: BGRT 0x00000000B97DF990 000038 (v01 ALASKA A M I 01072009 AMI 00010013) [ 0.000000] ACPI: Local APIC address 0xfee00000 [ 0.000000] No NUMA configuration found [ 0.000000] Faking a node at [mem 0x0000000000000000-0x000000023fffffff]
[ 0.000000] Initmem setup node 0 [mem 0x00000000-0x23fffffff] [ 0.000000] NODE_DATA [mem 0x23fff0000-0x23fff4fff] [ 0.000000] [ffffea0000000000-ffffea0008ffffff] PMD -> [ffff880237600000-ffff88023f5fffff] on node 0 [ 0.000000] Zone ranges: [ 0.000000] DMA [mem 0x00001000-0x00ffffff] [ 0.000000] DMA32 [mem 0x01000000-0xffffffff] [ 0.000000] Normal [mem 0x100000000-0x23fffffff] [ 0.000000] Movable zone start for each node [ 0.000000] Early memory node ranges [ 0.000000] node 0: [mem 0x00001000-0x0003efff] [ 0.000000] node 0: [mem 0x00040000-0x0009dfff] [ 0.000000] node 0: [mem 0x00100000-0x1effffff] [ 0.000000] node 0: [mem 0x1f100000-0x1fffffff] [ 0.000000] node 0: [mem 0x20100000-0xb930cfff] [ 0.000000] node 0: [mem 0xb933d000-0xb974cfff] [ 0.000000] node 0: [mem 0xb9b24000-0xb9b24fff] [ 0.000000] node 0: [mem 0xb9b67000-0xb9cd6fff] [ 0.000000] node 0: [mem 0xb9ffa000-0xb9ffffff] [ 0.000000] node 0: [mem 0x100000000-0x23fffffff] [ 0.000000] On node 0 totalpages: 2070064 [ 0.000000] DMA zone: 64 pages used for memmap [ 0.000000] DMA zone: 22 pages reserved [ 0.000000] DMA zone: 3996 pages, LIFO batch:0 [ 0.000000] DMA32 zone: 11803 pages used for memmap [ 0.000000] DMA32 zone: 755348 pages, LIFO batch:31 [ 0.000000] Normal zone: 20480 pages used for memmap [ 0.000000] Normal zone: 1310720 pages, LIFO batch:31 [ 0.000000] x86/hpet: Will disable the HPET for this platform because it's not reliable [ 0.000000] Reserving Intel graphics stolen memory at 0xbb000000-0xbeffffff [ 0.000000] ACPI: PM-Timer IO Port: 0x408 [ 0.000000] ACPI: Local APIC address 0xfee00000 [ 0.000000] ACPI: LAPIC (acpi_id[0x01] lapic_id[0x00] enabled) [ 0.000000] ACPI: LAPIC (acpi_id[0x02] lapic_id[0x02] enabled) [ 0.000000] ACPI: LAPIC (acpi_id[0x03] lapic_id[0x04] enabled) [ 0.000000] ACPI: LAPIC (acpi_id[0x04] lapic_id[0x06] enabled) [ 0.000000] ACPI: LAPIC_NMI (acpi_id[0x01] high edge lint[0x1]) [ 0.000000] ACPI: LAPIC_NMI (acpi_id[0x02] high edge lint[0x1]) [ 0.000000] ACPI: LAPIC_NMI (acpi_id[0x03] high edge lint[0x1]) [ 0.000000] ACPI: LAPIC_NMI (acpi_id[0x04] high edge lint[0x1]) [ 0.000000] ACPI: IOAPIC (id[0x01] address[0xfec00000] gsi_base[0]) [ 0.000000] IOAPIC[0]: apic_id 1, version 32, address 0xfec00000, GSI 0-86 [ 0.000000] ACPI: INT_SRC_OVR (bus 0 bus_irq 0 global_irq 2 dfl dfl) [ 0.000000] ACPI: INT_SRC_OVR (bus 0 bus_irq 9 global_irq 9 high level) [ 0.000000] ACPI: IRQ0 used by override. [ 0.000000] ACPI: IRQ2 used by override. [ 0.000000] ACPI: IRQ9 used by override. [ 0.000000] Using ACPI (MADT) for SMP configuration information [ 0.000000] ACPI: HPET id: 0x8086a201 base: 0xfed00000 [ 0.000000] smpboot: Allowing 4 CPUs, 0 hotplug CPUs [ 0.000000] nr_irqs_gsi: 103 [ 0.000000] PM: Registered nosave memory: [mem 0x0003f000-0x0003ffff] [ 0.000000] PM: Registered nosave memory: [mem 0x0009e000-0x0009ffff] [ 0.000000] PM: Registered nosave memory: [mem 0x000a0000-0x000fffff] [ 0.000000] PM: Registered nosave memory: [mem 0x1f000000-0x1f0fffff] [ 0.000000] PM: Registered nosave memory: [mem 0x20000000-0x200fffff] [ 0.000000] PM: Registered nosave memory: [mem 0xb930d000-0xb933cfff] [ 0.000000] PM: Registered nosave memory: [mem 0xb974d000-0xb984ffff] [ 0.000000] PM: Registered nosave memory: [mem 0xb9850000-0xb9ad5fff] [ 0.000000] PM: Registered nosave memory: [mem 0xb9ad6000-0xb9b23fff] [ 0.000000] PM: Registered nosave memory: [mem 0xb9b25000-0xb9b66fff] [ 0.000000] PM: Registered nosave memory: [mem 0xb9cd7000-0xb9ff9fff] [ 0.000000] PM: Registered nosave memory: [mem 0xba000000-0xbaffffff] [ 0.000000] PM: Registered nosave memory: [mem 0xbb000000-0xbeffffff] [ 0.000000] PM: Registered nosave memory: [mem 0xbf000000-0xe00f7fff] [ 0.000000] PM: Registered nosave memory: [mem 0xe00f8000-0xe00f8fff] [ 0.000000] PM: Registered nosave memory: [mem 0xe00f9000-0xfed00fff] [ 0.000000] PM: Registered nosave memory: [mem 0xfed01000-0xfed01fff] [ 0.000000] PM: Registered nosave memory: [mem 0xfed02000-0xfed07fff] [ 0.000000] PM: Registered nosave memory: [mem 0xfed08000-0xfed08fff] [ 0.000000] PM: Registered nosave memory: [mem 0xfed09000-
0xffafffff] [ 0.000000] PM: Registered nosave memory: [mem 0xffb00000-0xffffffff] [ 0.000000] e820: [mem 0xbf000000-0xe00f7fff] available for PCI devices [ 0.000000] Booting paravirtualized kernel on bare hardware [ 0.000000] setup_percpu: NR_CPUS:256 nr_cpumask_bits:256 nr_cpu_ids:4 nr_node_ids:1 [ 0.000000] PERCPU: Embedded 28 pages/cpu @ffff88023fc00000 s82432 r8192 d24064 u524288 [ 0.000000] pcpu-alloc: s82432 r8192 d24064 u524288 alloc=1*2097152 [ 0.000000] pcpu-alloc: [0] 0 1 2 3 [ 0.000000] Built 1 zonelists in Zone order, mobility grouping on. Total pages: 2037695 [ 0.000000] Policy zone: Normal [ 0.000000] Kernel command line: BOOT_IMAGE=/vmlinuz-3.16.0-34-generic.efi.signed root=/dev/mapper/kubuntu--vg-root ro quiet splash vt.handoff=7 [ 0.000000] PID hash table entries: 4096 (order: 3, 32768 bytes) [ 0.000000] AGP: Checking aperture... [ 0.000000] AGP: No AGP bridge found [ 0.000000] Calgary: detecting Calgary via BIOS EBDA area [ 0.000000] Calgary: Unable to locate Rio Grande table in EBDA - bailing! [ 0.000000] Memory: 7967352K/8280256K available (7748K kernel code, 1197K rwdata, 3612K rodata, 1360K init, 1308K bss, 312904K reserved) [ 0.000000] SLUB: HWalign=64, Order=0-3, MinObjects=0, CPUs=4, Nodes=1 [ 0.000000] Hierarchical RCU implementation. [ 0.000000] RCU dyntick-idle grace-period acceleration is enabled. [ 0.000000] RCU restricting CPUs from NR_CPUS=256 to nr_cpu_ids=4. [ 0.000000] Offload RCU callbacks from all CPUs [ 0.000000] Offload RCU callbacks from CPUs: 0-3. [ 0.000000] RCU: Adjusting geometry for rcu_fanout_leaf=16, nr_cpu_ids=4 [ 0.000000] NR_IRQS:16640 nr_irqs:1024 16 [ 0.000000] vt handoff: transparent VT on vt#7 [ 0.000000] Console: colour dummy device 80x25 [ 0.000000] console [tty0] enabled [ 0.000000] allocated 33554432 bytes of page_cgroup [ 0.000000] please try 'cgroup_disable=memory' option if you don't want memory cgroups [ 0.000000] Maximum core-clock to bus-clock ratio: 0x16 [ 0.000000] Resolved frequency ID: 0, frequency: 83200 KHz [ 0.000000] TSC runs at 1830400 KHz [ 0.000000] lapic_timer_frequency = 332800 [ 0.000000] tsc: Detected 1830.400 MHz processor [ 0.000043] Calibrating delay loop (skipped), value calculated using timer frequency.. 3660.80 BogoMIPS (lpj=7321600) [ 0.000050] pid_max: default: 32768 minimum: 301 [ 0.000067] ACPI: Core revision 20140424 [ 0.020015] ACPI: All ACPI Tables successfully acquired [ 0.021918] Security Framework initialized [ 0.021947] AppArmor: AppArmor initialized [ 0.021950] Yama: becoming mindful. [ 0.023006] Dentry cache hash table entries: 1048576 (order: 11, 8388608 bytes) [ 0.027063] Inode-cache hash table entries: 524288 (order: 10, 4194304 bytes) [ 0.028896] Mount-cache hash table entries: 16384 (order: 5, 131072 bytes) [ 0.028920] Mountpoint-cache hash table entries: 16384 (order: 5, 131072 bytes) [ 0.029390] Initializing cgroup subsys memory [ 0.029449] Initializing cgroup subsys devices [ 0.029464] Initializing cgroup subsys freezer [ 0.029471] Initializing cgroup subsys net_cls [ 0.029481] Initializing cgroup subsys blkio [ 0.029491] Initializing cgroup subsys perf_event [ 0.029497] Initializing cgroup subsys net_prio [ 0.029514] Initializing cgroup subsys hugetlb [ 0.029549] CPU: Physical Processor ID: 0 [ 0.029553] CPU: Processor Core ID: 0 [ 0.029559] ENERGY_PERF_BIAS: Set to 'normal', was 'performance' ENERGY_PERF_BIAS: View and update with x86_energy_perf_policy(8) [ 0.034367] mce: CPU supports 6 MCE banks [ 0.034379] CPU0: Thermal monitoring enabled (TM1) [ 0.034390] Last level iTLB entries: 4KB 48, 2MB 0, 4MB 0 Last level dTLB entries: 4KB 128, 2MB 16, 4MB 16, 1GB 0 tlb_flushall_shift: 6 [ 0.034550] Freeing SMP alternatives memory: 32K (ffffffff81e81000 - ffffffff81e89000) [ 0.041271] ftrace: allocating 29331 entries in 115 pages [ 0.059694] ..TIMER: vector=0x30 apic1=0 pin1=2 apic2=0 pin2=0 [ 0.099353] smpboot: CPU0: Intel(R) Celeron(R) CPU N2930 @ 1.83GHz (fam: 06, model: 37, stepping: 08) [ 0.099380] TSC deadline timer enabled [ 0.099420] Performance Events: PEBS fmt2+, 8-deep LBR, Silvermont events, full-width
counters, Intel PMU driver. [ 0.099437] ... version: 3 [ 0.099439] ... bit width: 40 [ 0.099441] ... generic registers: 2 [ 0.099444] ... value mask: 000000ffffffffff [ 0.099446] ... max period: 000000ffffffffff [ 0.099448] ... fixed-purpose events: 3 [ 0.099450] ... event mask: 0000000700000003 [ 0.103049] x86: Booting SMP configuration: [ 0.103056] .... node #0, CPUs: #1 [ 0.120997] NMI watchdog: enabled on all CPUs, permanently consumes one hw-PMU counter. [ 0.121226] #2 #3 [ 0.157032] x86: Booted up 1 node, 4 CPUs [ 0.157038] smpboot: Total of 4 processors activated (14643.20 BogoMIPS) [ 0.158082] devtmpfs: initialized [ 0.166868] evm: security.selinux [ 0.166872] evm: security.SMACK64 [ 0.166875] evm: security.SMACK64EXEC [ 0.166877] evm: security.SMACK64TRANSMUTE [ 0.166879] evm: security.SMACK64MMAP [ 0.166881] evm: security.ima [ 0.166884] evm: security.capability [ 0.167005] PM: Registering ACPI NVS region [mem 0x0003f000-0x0003ffff] (4096 bytes) [ 0.167010] PM: Registering ACPI NVS region [mem 0xb974d000-0xb984ffff] (1060864 bytes) [ 0.169175] pinctrl core: initialized pinctrl subsystem [ 0.169347] regulator-dummy: no parameters [ 0.169397] RTC time: 5:46:54, date: 04/24/15 [ 0.169505] NET: Registered protocol family 16 [ 0.169862] cpuidle: using governor ladder [ 0.169868] cpuidle: using governor menu [ 0.169994] ACPI FADT declares the system doesn't support PCIe ASPM, so disable it [ 0.169999] ACPI: bus type PCI registered [ 0.170002] acpiphp: ACPI Hot Plug PCI Controller Driver version: 0.5 [ 0.170148] PCI: MMCONFIG for domain 0000 [bus 00-ff] at [mem 0xe0000000-0xefffffff] (base 0xe0000000) [ 0.170154] PCI: not using MMCONFIG [ 0.170157] PCI: Using configuration type 1 for base access [ 0.174001] ACPI: Added _OSI(Module Device) [ 0.174007] ACPI: Added _OSI(Processor Device) [ 0.174010] ACPI: Added _OSI(3.0 _SCP Extensions) [ 0.174013] ACPI: Added _OSI(Processor Aggregator Device) [ 0.193975] ACPI: Dynamic OEM Table Load: [ 0.193989] ACPI: SSDT 0xFFFF880233EC5C00 0003BC (v01 PmRef Cpu0Ist 00003000 INTL 20061109) [ 0.195119] ACPI: Dynamic OEM Table Load: [ 0.195130] ACPI: SSDT 0xFFFF880233EE9000 000433 (v01 PmRef Cpu0Cst 00003001 INTL 20061109) [ 0.201578] ACPI: Dynamic OEM Table Load: [ 0.201588] ACPI: SSDT 0xFFFF880233EC1A00 00015F (v01 PmRef ApIst 00003000 INTL 20061109) [ 0.205225] ACPI: Dynamic OEM Table Load: [ 0.205234] ACPI: SSDT 0xFFFF880233EAE9C0 00008D (v01 PmRef ApCst 00003000 INTL 20061109) [ 0.210625] ACPI: Interpreter enabled [ 0.210638] ACPI Exception: AE_NOT_FOUND, While evaluating Sleep State [\_S1_] (20140424/hwxface-580) [ 0.210648] ACPI Exception: AE_NOT_FOUND, While evaluating Sleep State [\_S2_] (20140424/hwxface-580) [ 0.210679] ACPI: (supports S0 S3 S4 S5) [ 0.210683] ACPI: Using IOAPIC for interrupt routing [ 0.210729] PCI: MMCONFIG for domain 0000 [bus 00-ff] at [mem 0xe0000000-0xefffffff] (base 0xe0000000) [ 0.211718] PCI: MMCONFIG at [mem 0xe0000000-0xefffffff] reserved in ACPI motherboard resources [ 0.212545] PCI: Using host bridge windows from ACPI; if necessary, use "pci=nocrs" and report a bug [ 0.222833] ACPI: Power Resource [USBC] (on) [ 0.224539] ACPI: Power Resource [PLPE] (on) [ 0.224862] ACPI: Power Resource [PLPE] (on) [ 0.231049] ACPI: Power Resource [CLK0] (on) [ 0.231148] ACPI: Power Resource [CLK1] (on) [ 0.304661] ACPI: PCI Root Bridge [PCI0] (domain 0000 [bus 00-ff]) [ 0.304673] acpi PNP0A08:00: _OSC: OS supports [ExtendedConfig ASPM ClockPM Segments MSI] [ 0.304983] acpi PNP0A08:00: _OSC: platform does not support [PCIeHotplug PME] [ 0.305295] acpi PNP0A08:00: _OSC: OS now controls [AER PCIeCapability] [ 0.306235] PCI host bridge to bus 0000:00 [ 0.306242] pci_bus 0000:00: root bus resource [bus 00-ff] [ 0.306247] pci_bus 0000:00: root bus resource [io 0x0000-0x006f] [ 0.306252] pci_bus 0000:00: root bus resource [io 0x0078-0x0cf7] [ 0.306256] pci_bus 0000:00: root bus resource [io 0x0d00-0xffff] [ 0.306260] pci_bus 0000:00: root bus resource [mem 0x000a0000-0x000bffff] [ 0.306264] pci_bus 0000:00: root bus resource [mem 0x000c0000-0x000dffff] [ 0.306268] pci_
bus 0000:00: root bus resource [mem 0x000e0000-0x000fffff] [ 0.306272] pci_bus 0000:00: root bus resource [mem 0xc0000000-0xd0819fff] [ 0.306286] pci 0000:00:00.0: [8086:0f00] type 00 class 0x060000 [ 0.306487] pci 0000:00:02.0: [8086:0f31] type 00 class 0x030000 [ 0.306505] pci 0000:00:02.0: reg 0x10: [mem 0xd0000000-0xd03fffff] [ 0.306519] pci 0000:00:02.0: reg 0x18: [mem 0xc0000000-0xcfffffff pref] [ 0.306533] pci 0000:00:02.0: reg 0x20: [io 0xf080-0xf087] [ 0.306751] pci 0000:00:13.0: [8086:0f23] type 00 class 0x010601 [ 0.306775] pci 0000:00:13.0: reg 0x10: [io 0xf070-0xf077] [ 0.306787] pci 0000:00:13.0: reg 0x14: [io 0xf060-0xf063] [ 0.306799] pci 0000:00:13.0: reg 0x18: [io 0xf050-0xf057] [ 0.306810] pci 0000:00:13.0: reg 0x1c: [io 0xf040-0xf043] [ 0.306822] pci 0000:00:13.0: reg 0x20: [io 0xf020-0xf03f] [ 0.306833] pci 0000:00:13.0: reg 0x24: [mem 0xd0817000-0xd08177ff] [ 0.306885] pci 0000:00:13.0: PME# supported from D3hot [ 0.307065] pci 0000:00:14.0: [8086:0f35] type 00 class 0x0c0330 [ 0.307089] pci 0000:00:14.0: reg 0x10: [mem 0xd0800000-0xd080ffff 64bit] [ 0.307153] pci 0000:00:14.0: PME# supported from D3hot D3cold [ 0.307283] pci 0000:00:14.0: System wakeup disabled by ACPI [ 0.307379] pci 0000:00:1a.0: [8086:0f18] type 00 class 0x108000 [ 0.307409] pci 0000:00:1a.0: reg 0x10: [mem 0xd0500000-0xd05fffff] [ 0.307425] pci 0000:00:1a.0: reg 0x14: [mem 0xd0400000-0xd04fffff] [ 0.307534] pci 0000:00:1a.0: PME# supported from D0 D3hot [ 0.307714] pci 0000:00:1b.0: [8086:0f04] type 00 class 0x040300 [ 0.307741] pci 0000:00:1b.0: reg 0x10: [mem 0xd0810000-0xd0813fff 64bit] [ 0.307819] pci 0000:00:1b.0: PME# supported from D0 D3hot D3cold [ 0.307995] pci 0000:00:1c.0: [8086:0f48] type 01 class 0x060400 [ 0.308065] pci 0000:00:1c.0: PME# supported from D0 D3hot D3cold [ 0.308239] pci 0000:00:1c.1: [8086:0f4a] type 01 class 0x060400 [ 0.308309] pci 0000:00:1c.1: PME# supported from D0 D3hot D3cold [ 0.308483] pci 0000:00:1c.2: [8086:0f4c] type 01 class 0x060400 [ 0.308552] pci 0000:00:1c.2: PME# supported from D0 D3hot D3cold [ 0.308736] pci 0000:00:1c.3: [8086:0f4e] type 01 class 0x060400 [ 0.308805] pci 0000:00:1c.3: PME# supported from D0 D3hot D3cold [ 0.308989] pci 0000:00:1f.0: [8086:0f1c] type 00 class 0x060100 [ 0.309241] pci 0000:00:1f.3: [8086:0f12] type 00 class 0x0c0500 [ 0.309280] pci 0000:00:1f.3: reg 0x10: [mem 0xd0814000-0xd081401f] [ 0.309354] pci 0000:00:1f.3: reg 0x20: [io 0xf000-0xf01f] [ 0.309761] pci 0000:01:00.0: [10ec:8168] type 00 class 0x020000 [ 0.309785] pci 0000:01:00.0: reg 0x10: [io 0xe000-0xe0ff] [ 0.309817] pci 0000:01:00.0: reg 0x18: [mem 0xd0704000-0xd0704fff 64bit pref] [ 0.309837] pci 0000:01:00.0: reg 0x20: [mem 0xd0700000-0xd0703fff 64bit pref] [ 0.309930] pci 0000:01:00.0: supports D1 D2 [ 0.309935] pci 0000:01:00.0: PME# supported from D0 D1 D2 D3hot D3cold [ 0.309996] pci 0000:01:00.0: System wakeup disabled by ACPI [ 0.317110] pci 0000:00:1c.0: PCI bridge to [bus 01] [ 0.317117] pci 0000:00:1c.0: bridge window [io 0xe000-0xefff] [ 0.317123] pci 0000:00:1c.0: bridge window [mem 0xd0700000-0xd07fffff] [ 0.317231] pci 0000:00:1c.1: PCI bridge to [bus 02] [ 0.317376] pci 0000:03:00.0: [8086:08b3] type 00 class 0x028000 [ 0.317414] pci 0000:03:00.0: reg 0x10: [mem 0xd0600000-0xd0601fff 64bit] [ 0.317582] pci 0000:03:00.0: PME# supported from D0 D3hot D3cold [ 0.317643] pci 0000:03:00.0: System wakeup disabled by ACPI [ 0.325111] pci 0000:00:1c.2: PCI bridge to [bus 03] [ 0.325120] pci 0000:00:1c.2: bridge window [mem 0xd0600000-0xd06fffff] [ 0.325235] pci 0000:00:1c.3: PCI bridge to [bus 04] [ 0.325268] acpi PNP0A08:00: Disabling ASPM (FADT indicates it is unsupported) [ 0.326465] ACPI: PCI Interrupt Link [LNKA] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.326601] ACPI: PCI Interrupt Link [LNKB] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.326736] ACPI: PCI Interrupt Link [LNKC] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.326870] ACPI: PCI Interrupt Link [LNKD] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.327004] ACPI: PCI Interrupt Link [LNKE] (IRQs 3 4 5 6 10
11 12 14 15) *0, disabled. [ 0.327139] ACPI: PCI Interrupt Link [LNKF] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.327280] ACPI: PCI Interrupt Link [LNKG] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.327414] ACPI: PCI Interrupt Link [LNKH] (IRQs 3 4 5 6 10 11 12 14 15) *0, disabled. [ 0.330423] ACPI: Enabled 5 GPEs in block 00 to 3F [ 0.330668] vgaarb: setting as boot device: PCI:0000:00:02.0 [ 0.330674] vgaarb: device added: PCI:0000:00:02.0,decodes=io+mem,owns=io+mem,locks=none [ 0.330680] vgaarb: loaded [ 0.330683] vgaarb: bridge control possible 0000:00:02.0 [ 0.331201] SCSI subsystem initialized [ 0.331311] libata version 3.00 loaded. [ 0.331372] ACPI: bus type USB registered [ 0.331415] usbcore: registered new interface driver usbfs [ 0.331438] usbcore: registered new interface driver hub [ 0.331497] usbcore: registered new device driver usb [ 0.331890] PCI: Using ACPI for IRQ routing [ 0.338063] PCI: pci_cache_line_size set to 64 bytes [ 0.338118] e820: reserve RAM buffer [mem 0x0003f000-0x0003ffff] [ 0.338122] e820: reserve RAM buffer [mem 0x0009e000-0x0009ffff] [ 0.338125] e820: reserve RAM buffer [mem 0x1f000000-0x1fffffff] [ 0.338128] e820: reserve RAM buffer [mem 0xb930d000-0xbbffffff] [ 0.338132] e820: reserve RAM buffer [mem 0xb974d000-0xbbffffff] [ 0.338136] e820: reserve RAM buffer [mem 0xb9b25000-0xbbffffff] [ 0.338140] e820: reserve RAM buffer [mem 0xb9cd7000-0xbbffffff] [ 0.338143] e820: reserve RAM buffer [mem 0xba000000-0xbbffffff] [ 0.338378] NetLabel: Initializing [ 0.338382] NetLabel: domain hash size = 128 [ 0.338384] NetLabel: protocols = UNLABELED CIPSOv4 [ 0.338410] NetLabel: unlabeled traffic allowed by default [ 0.338614] Switched to clocksource refined-jiffies [ 0.350779] AppArmor: AppArmor Filesystem Enabled [ 0.350842] pnp: PnP ACPI init [ 0.350874] ACPI: bus type PNP registered [ 0.350970] pnp 00:00: Plug and Play ACPI device, IDs PNP0b00 (active) [ 0.351221] system 00:01: [io 0x0680-0x069f] has been reserved [ 0.351227] system 00:01: [io 0x0400-0x047f] has been reserved [ 0.351232] system 00:01: [io 0x0500-0x05fe] has been reserved [ 0.351237] system 00:01: [io 0x0600-0x061f] has been reserved [ 0.351243] system 00:01: Plug and Play ACPI device, IDs PNP0c02 (active) [ 0.351547] pnp 00:02: Plug and Play ACPI device, IDs NTN0530 (active) [ 0.351759] system 00:03: [io 0x0a00-0x0a0f] has been reserved [ 0.351767] system 00:03: Plug and Play ACPI device, IDs PNP0c02 (active) [ 0.352234] pnp 00:04: [dma 0 disabled] [ 0.352347] pnp 00:04: Plug and Play ACPI device, IDs PNP0501 (active) [ 0.352858] system 00:05: [mem 0xe0000000-0xefffffff] could not be reserved [ 0.352864] system 00:05: [mem 0xfed01000-0xfed01fff] has been reserved [ 0.352869] system 00:05: [mem 0xfed03000-0xfed03fff] has been reserved [ 0.352874] system 00:05: [mem 0xfed04000-0xfed04fff] has been reserved [ 0.352879] system 00:05: [mem 0xfed0c000-0xfed0ffff] could not be reserved [ 0.352884] system 00:05: [mem 0xfed08000-0xfed08fff] has been reserved [ 0.352889] system 00:05: [mem 0xfed1c000-0xfed1cfff] has been reserved [ 0.352894] system 00:05: [mem 0xfee00000-0xfeefffff] has been reserved [ 0.352898] system 00:05: [mem 0xfef00000-0xfeffffff] has been reserved [ 0.352904] system 00:05: Plug and Play ACPI device, IDs PNP0c02 (active) [ 0.354672] pnp: PnP ACPI: found 6 devices [ 0.354676] ACPI: bus type PNP unregistered [ 0.363797] Switched to clocksource acpi_pm [ 0.363835] pci 0000:00:1c.1: bridge window [io 0x1000-0x0fff] to [bus 02] add_size 1000 [ 0.363842] pci 0000:00:1c.1: bridge window [mem 0x00100000-0x000fffff 64bit pref] to [bus 02] add_size 200000 [ 0.363847] pci 0000:00:1c.1: bridge window [mem 0x00100000-0x000fffff] to [bus 02] add_size 200000 [ 0.363858] pci 0000:00:1c.2: bridge window [io 0x1000-0x0fff] to [bus 03] add_size 1000 [ 0.363864] pci 0000:00:1c.2: bridge window [mem 0x00100000-0x000fffff 64bit pref] to [bus 03] add_size 200000 [ 0.363874] pci 0000:00:1c.3: bridge window [io 0x1000-0x0fff] to [bus 04] add_size 1000 [ 0.363879] pci 0000:00:1c.3: bridge window [mem 0x00100000-0x000fffff 64bit
pref] to [bus 04] add_size 200000 [ 0.363884] pci 0000:00:1c.3: bridge window [mem 0x00100000-0x000fffff] to [bus 04] add_size 200000 [ 0.363899] pci 0000:00:1c.1: res[14]=[mem 0x00100000-0x000fffff] get_res_add_size add_size 200000 [ 0.363905] pci 0000:00:1c.1: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000 [ 0.363910] pci 0000:00:1c.2: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000 [ 0.363914] pci 0000:00:1c.3: res[14]=[mem 0x00100000-0x000fffff] get_res_add_size add_size 200000 [ 0.363919] pci 0000:00:1c.3: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000 [ 0.363924] pci 0000:00:1c.1: res[13]=[io 0x1000-0x0fff] get_res_add_size add_size 1000 [ 0.363928] pci 0000:00:1c.2: res[13]=[io 0x1000-0x0fff] get_res_add_size add_size 1000 [ 0.363933] pci 0000:00:1c.3: res[13]=[io 0x1000-0x0fff] get_res_add_size add_size 1000 [ 0.363944] pci 0000:00:1c.1: BAR 14: can't assign mem (size 0x200000) [ 0.363955] pci 0000:00:1c.1: BAR 15: can't assign mem pref (size 0x200000) [ 0.363965] pci 0000:00:1c.2: BAR 15: can't assign mem pref (size 0x200000) [ 0.363972] pci 0000:00:1c.3: BAR 14: can't assign mem (size 0x200000) [ 0.363981] pci 0000:00:1c.3: BAR 15: can't assign mem pref (size 0x200000) [ 0.363988] pci 0000:00:1c.1: BAR 13: assigned [io 0x1000-0x1fff] [ 0.363994] pci 0000:00:1c.2: BAR 13: assigned [io 0x2000-0x2fff] [ 0.364000] pci 0000:00:1c.3: BAR 13: assigned [io 0x3000-0x3fff] [ 0.364010] pci 0000:00:1c.3: BAR 14: can't assign mem (size 0x200000) [ 0.364020] pci 0000:00:1c.3: BAR 15: can't assign mem pref (size 0x200000) [ 0.364030] pci 0000:00:1c.2: BAR 15: can't assign mem pref (size 0x200000) [ 0.364037] pci 0000:00:1c.1: BAR 14: can't assign mem (size 0x200000) [ 0.364047] pci 0000:00:1c.1: BAR 15: can't assign mem pref (size 0x200000) [ 0.364052] pci 0000:00:1c.0: PCI bridge to [bus 01] [ 0.364058] pci 0000:00:1c.0: bridge window [io 0xe000-0xefff] [ 0.364065] pci 0000:00:1c.0: bridge window [mem 0xd0700000-0xd07fffff] [ 0.364075] pci 0000:00:1c.1: PCI bridge to [bus 02] [ 0.364079] pci 0000:00:1c.1: bridge window [io 0x1000-0x1fff] [ 0.364091] pci 0000:00:1c.2: PCI bridge to [bus 03] [ 0.364096] pci 0000:00:1c.2: bridge window [io 0x2000-0x2fff] [ 0.364102] pci 0000:00:1c.2: bridge window [mem 0xd0600000-0xd06fffff] [ 0.364111] pci 0000:00:1c.3: PCI bridge to [bus 04] [ 0.364116] pci 0000:00:1c.3: bridge window [io 0x3000-0x3fff] [ 0.364128] pci_bus 0000:00: resource 4 [io 0x0000-0x006f] [ 0.364132] pci_bus 0000:00: resource 5 [io 0x0078-0x0cf7] [ 0.364137] pci_bus 0000:00: resource 6 [io 0x0d00-0xffff] [ 0.364141] pci_bus 0000:00: resource 7 [mem 0x000a0000-0x000bffff] [ 0.364145] pci_bus 0000:00: resource 8 [mem 0x000c0000-0x000dffff] [ 0.364149] pci_bus 0000:00: resource 9 [mem 0x000e0000-0x000fffff] [ 0.364153] pci_bus 0000:00: resource 10 [mem 0xc0000000-0xd0819fff] [ 0.364158] pci_bus 0000:01: resource 0 [io 0xe000-0xefff] [ 0.364162] pci_bus 0000:01: resource 1 [mem 0xd0700000-0xd07fffff] [ 0.364166] pci_bus 0000:02: resource 0 [io 0x1000-0x1fff] [ 0.364170] pci_bus 0000:03: resource 0 [io 0x2000-0x2fff] [ 0.364174] pci_bus 0000:03: resource 1 [mem 0xd0600000-0xd06fffff] [ 0.364179] pci_bus 0000:04: resource 0 [io 0x3000-0x3fff] [ 0.364237] NET: Registered protocol family 2 [ 0.364653] TCP established hash table entries: 65536 (order: 7, 524288 bytes) [ 0.364967] TCP bind hash table entries: 65536 (order: 8, 1048576 bytes) [ 0.365350] TCP: Hash tables configured (established 65536 bind 65536) [ 0.365420] TCP: reno registered [ 0.365447] UDP hash table entries: 4096 (order: 5, 131072 bytes) [ 0.365533] UDP-Lite hash table entries: 4096 (order: 5, 131072 bytes) [ 0.365710] NET: Registered protocol family 1 [ 0.365743] pci 0000:00:02.0: Video device with shadowed ROM [ 0.366078] PCI: CLS 64 bytes, default 64 [ 0.366216] Trying to unpack rootfs image as initramfs... [ 1.251397] Freeing initrd memory: 30056K (ffff88003453c000 - ffff880036296000) [ 1.251463] PCI-DMA: Using software bounce buffering for IO (SWIOTLB) [ 1.
251472] software IO TLB [mem 0xb0e0d000-0xb4e0d000] (64MB) mapped at [ffff8800b0e0d000-ffff8800b4e0cfff] [ 1.251974] microcode: CPU0 sig=0x30678, pf=0x8, revision=0x829 [ 1.251987] microcode: CPU1 sig=0x30678, pf=0x8, revision=0x829 [ 1.251998] microcode: CPU2 sig=0x30678, pf=0x8, revision=0x829 [ 1.252011] microcode: CPU3 sig=0x30678, pf=0x8, revision=0x829 [ 1.252107] microcode: Microcode Update Driver: v2.00 <tigran@aivazian.fsnet.co.uk>, Peter Oruba [ 1.252158] Scanning for low memory corruption every 60 seconds [ 1.252906] futex hash table entries: 1024 (order: 4, 65536 bytes) [ 1.252937] Initialise system trusted keyring [ 1.252990] audit: initializing netlink subsys (disabled) [ 1.253026] audit: type=2000 audit(1429854415.247:1): initialized [ 1.253609] HugeTLB registered 2 MB page size, pre-allocated 0 pages [ 1.257146] zpool: loaded [ 1.257153] zbud: loaded [ 1.257480] VFS: Disk quotas dquot_6.5.2 [ 1.257562] Dquot-cache hash table entries: 512 (order 0, 4096 bytes) [ 1.258763] fuse init (API version 7.23) [ 1.258982] msgmni has been set to 15754 [ 1.259102] Key type big_key registered [ 1.260646] Key type asymmetric registered [ 1.260652] Asymmetric key parser 'x509' registered [ 1.260740] Block layer SCSI generic (bsg) driver version 0.4 loaded (major 252) [ 1.260895] io scheduler noop registered [ 1.260901] io scheduler deadline registered (default) [ 1.261009] io scheduler cfq registered [ 1.261882] pci_hotplug: PCI Hot Plug PCI Core version: 0.5 [ 1.261919] pciehp: PCI Express Hot Plug Controller Driver version: 0.4 [ 1.262040] efifb: probing for efifb [ 1.262088] efifb: framebuffer at 0xc0000000, mapped to 0xffffc90010e80000, using 8128k, total 8128k [ 1.262092] efifb: mode is 1920x1080x32, linelength=7680, pages=1 [ 1.262094] efifb: scrolling: redraw [ 1.262098] efifb: Truecolor: size=8:8:8:8, shift=24:16:8:0 [ 1.262329] Console: switching to colour frame buffer device 240x67 [ 1.262394] fb0: EFI VGA frame buffer device [ 1.262430] intel_idle: MWAIT substates: 0x33000020 [ 1.262434] intel_idle: v0.4 model 0x37 [ 1.262436] intel_idle: lapic_timer_reliable_states 0xffffffff [ 1.263011] input: Power Button as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0C0C:00/input/input0 [ 1.263020] ACPI: Power Button [PWRB] [ 1.263112] input: Sleep Button as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0C0E:00/input/input1 [ 1.263119] ACPI: Sleep Button [SLPB] [ 1.263213] input: Power Button as /devices/LNXSYSTM:00/LNXPWRBN:00/input/input2 [ 1.263219] ACPI: Power Button [PWRF] [ 1.266652] GHES: HEST is not enabled! [ 1.266897] Serial: 8250/16550 driver, 32 ports, IRQ sharing enabled [ 1.287502] 00:04: ttyS0 at I/O 0x3f8 (irq = 4, base_baud = 115200) is a 16550A [ 1.308209] serial8250: ttyS1 at I/O 0x2f8 (irq = 3, base_baud = 115200) is a 16550A [ 1.313071] hpet: number irqs doesn't agree with number of timers [ 1.313123] Linux agpgart interface v0.103 [ 1.316587] brd: module loaded [ 1.318365] loop: module loaded [ 1.318833] libphy: Fixed MDIO Bus: probed [ 1.318841] tun: Universal TUN/TAP device driver, 1.6 [ 1.318844] tun: (C) 1999-2004 Max Krasnyansky <maxk@qualcomm.com> [ 1.318973] PPP generic driver version 2.4.2 [ 1.319101] ehci_hcd: USB 2.0 'Enhanced' Host Controller (EHCI) Driver [ 1.319113] ehci-pci: EHCI PCI platform driver [ 1.319144] ehci-platform: EHCI generic platform driver [ 1.319165] ohci_hcd: USB 1.1 'Open' Host Controller (OHCI) Driver [ 1.319176] ohci-pci: OHCI PCI platform driver [ 1.319200] ohci-platform: OHCI generic platform driver [ 1.319220] uhci_hcd: USB Universal Host Controller Interface driver [ 1.319456] xhci_hcd 0000:00:14.0: xHCI Host Controller [ 1.319474] xhci_hcd 0000:00:14.0: new USB bus registered, assigned bus number 1 [ 1.319615] xhci_hcd 0000:00:14.0: cache line size of 64 is not supported [ 1.319647] xhci_hcd 0000:00:14.0: irq 103 for MSI/MSI-X [ 1.319770] usb usb1: New USB device found, idVendor=1d6b, idProduct=0002 [ 1.319775] usb usb1: New USB device strings: Mfr=3, Product=2, SerialNumber=1 [ 1.319779] usb usb1: Product: xHCI Host Controller [ 1.319783] usb usb1: Manufacturer: Linux 3.16.0-34-
generic xhci_hcd [ 1.319787] usb usb1: SerialNumber: 0000:00:14.0 [ 1.320062] hub 1-0:1.0: USB hub found [ 1.320083] hub 1-0:1.0: 6 ports detected [ 1.320985] xhci_hcd 0000:00:14.0: xHCI Host Controller [ 1.320994] xhci_hcd 0000:00:14.0: new USB bus registered, assigned bus number 2 [ 1.321073] usb usb2: New USB device found, idVendor=1d6b, idProduct=0003 [ 1.321078] usb usb2: New USB device strings: Mfr=3, Product=2, SerialNumber=1 [ 1.321082] usb usb2: Product: xHCI Host Controller [ 1.321086] usb usb2: Manufacturer: Linux 3.16.0-34-generic xhci_hcd [ 1.321089] usb usb2: SerialNumber: 0000:00:14.0 [ 1.321364] hub 2-0:1.0: USB hub found [ 1.321381] hub 2-0:1.0: 1 port detected [ 1.321723] i8042: PNP: No PS/2 controller found. Probing ports directly. [ 2.053439] usb 1-1: new full-speed USB device number 2 using xhci_hcd [ 2.182814] usb 1-1: New USB device found, idVendor=8087, idProduct=07dc [ 2.182819] usb 1-1: New USB device strings: Mfr=0, Product=0, SerialNumber=0 [ 2.249494] tsc: Refined TSC clocksource calibration: 1833.333 MHz [ 2.349641] usb 1-2: new high-speed USB device number 3 using xhci_hcd [ 2.354868] i8042: No controller found [ 2.355256] mousedev: PS/2 mouse device common for all mice [ 2.356152] rtc_cmos 00:00: RTC can wake from S4 [ 2.356418] rtc_cmos 00:00: rtc core: registered rtc_cmos as rtc0 [ 2.356452] rtc_cmos 00:00: alarms up to one month, y3k, 242 bytes nvram [ 2.356611] device-mapper: uevent: version 1.0.3 [ 2.356851] device-mapper: ioctl: 4.27.0-ioctl (2013-10-30) initialised: dm-devel@redhat.com [ 2.356875] Intel P-state driver initializing. [ 2.356897] Intel pstate controlling: cpu 0 [ 2.356941] Intel pstate controlling: cpu 1 [ 2.357000] Intel pstate controlling: cpu 2 [ 2.357105] Intel pstate controlling: cpu 3 [ 2.357164] Consider also installing thermald for improved thermal control. [ 2.357173] ledtrig-cpu: registered to indicate activity on CPUs [ 2.357180] EFI Variables Facility v0.08 2004-May-17 [ 2.360408] TCP: cubic registered [ 2.360637] NET: Registered protocol family 10 [ 2.361453] NET: Registered protocol family 17 [ 2.361516] Key type dns_resolver registered [ 2.362615] Loading compiled-in X.509 certificates [ 2.364459] Loaded X.509 cert 'Magrathea: Glacier signing key: 720f95eab0ea3a33b3bedee1ee3ae788f51cae26' [ 2.364497] registered taskstats version 1 [ 2.370558] Key type trusted registered [ 2.381513] Key type encrypted registered [ 2.381529] AppArmor: AppArmor sha1 policy hashing enabled [ 2.381536] ima: No TPM chip found, activating TPM-bypass! [ 2.381566] evm: HMAC attrs: 0x1 [ 2.382735] Magic number: 11:554:770 [ 2.383122] rtc_cmos 00:00: setting system clock to 2015-04-24 05:46:57 UTC (1429854417) [ 2.383677] BIOS EDD facility v0.16 2004-Jun-25, 0 devices found [ 2.383681] EDD information not available. [ 2.383891] PM: Hibernation image not present or could not be loaded. [ 2.386593] Freeing unused kernel memory: 1360K (ffffffff81d2d000 - ffffffff81e81000) [ 2.386599] Write protecting the kernel read-only data: 12288k [ 2.389664] Freeing unused kernel memory: 432K (ffff880002794000 - ffff880002800000) [ 2.392327] Freeing unused kernel memory: 484K (ffff880002b87000 - ffff880002c00000) [ 2.420110] systemd-udevd[118]: starting version 208 [ 2.421456] random: systemd-udevd urandom read with 3 bits of entropy available [ 2.446862] sdhci: Secure Digital Host Controller Interface driver [ 2.446868] sdhci: Copyright(c) Pierre Ossman [ 2.451903] mmc0: no vqmmc regulator found [ 2.451909] mmc0: no vmmc regulator found [ 2.453151] mmc0: SDHCI controller on ACPI [80860F14:01] using ADMA [ 2.454475] mmc1: no vqmmc regulator found [ 2.454481] mmc1: no vmmc regulator found [ 2.456310] mmc1: SDHCI controller on ACPI [80860F14:02] using ADMA [ 2.481449] r8169 Gigabit Ethernet driver 2.3LK-NAPI loaded [ 2.481469] r8169 0000:01:00.0: can't disable ASPM; OS doesn't have ASPM control [ 2.481573] usb 1-2: New USB device found, idVendor=2109, idProduct=2812 [ 2.481580] usb 1-2: New USB device strings: Mfr=1, Product=2, SerialNumber=0 [ 2.481584] usb 1-2: Product: USB2.0 Hub [ 2.481587] usb
1-2: Manufacturer: VIA Labs, Inc. [ 2.481874] r8169 0000:01:00.0: irq 105 for MSI/MSI-X [ 2.481995] ahci 0000:00:13.0: version 3.0 [ 2.482165] hub 1-2:1.0: USB hub found [ 2.482222] r8169 0000:01:00.0 eth0: RTL8168evl/8111evl at 0xffffc90010e76000, 00:01:2e:00:1d:ef, XID 0c900800 IRQ 105 [ 2.482228] r8169 0000:01:00.0 eth0: jumbo features [frames: 9200 bytes, tx checksumming: ko] [ 2.482393] ahci 0000:00:13.0: irq 106 for MSI/MSI-X [ 2.482422] hub 1-2:1.0: 4 ports detected [ 2.482502] ahci 0000:00:13.0: AHCI 0001.0300 32 slots 2 ports 3 Gbps 0x3 impl SATA mode [ 2.482517] ahci 0000:00:13.0: flags: 64bit ncq pm led clo pio slum part deso sadm apst [ 2.483406] scsi0 : ahci [ 2.484275] [drm] Initialized drm 1.1.0 20060810 [ 2.487308] scsi1 : ahci [ 2.487443] ata1: SATA max UDMA/133 abar m2048@0xd0817000 port 0xd0817100 irq 106 [ 2.487448] ata2: SATA max UDMA/133 abar m2048@0xd0817000 port 0xd0817180 irq 106 [ 2.521862] [drm] Memory usable by graphics device = 2048M [ 2.521869] checking generic (c0000000 7f0000) vs hw (c0000000 10000000) [ 2.521872] fb: switching to inteldrmfb from EFI VGA [ 2.521910] Console: switching to colour dummy device 80x25 [ 2.523722] [drm] Replacing VGA console driver [ 2.529767] i915 0000:00:02.0: irq 107 for MSI/MSI-X [ 2.529791] [drm] Supports vblank timestamp caching Rev 2 (21.10.2013). [ 2.529794] [drm] Driver supports precise vblank timestamp query. [ 2.602089] usb 1-3: new full-speed USB device number 4 using xhci_hcd [ 2.714151] vgaarb: device changed decodes: PCI:0000:00:02.0,olddecodes=io+mem,decodes=io+mem:owns=io+mem [ 2.738889] usb 1-3: New USB device found, idVendor=046d, idProduct=c52b [ 2.738894] usb 1-3: New USB device strings: Mfr=1, Product=2, SerialNumber=0 [ 2.738898] usb 1-3: Product: USB Receiver [ 2.738901] usb 1-3: Manufacturer: Logitech [ 2.805960] ata1: SATA link up 3.0 Gbps (SStatus 123 SControl 300) [ 2.806313] ata1.00: supports DRM functions and may not be fully accessible [ 2.806414] ata1.00: failed to get NCQ Send/Recv Log Emask 0x1 [ 2.806419] ata1.00: ATA-9: Samsung SSD 840 EVO 120GB, EXT0CB6Q, max UDMA/133 [ 2.806423] ata1.00: 234441648 sectors, multi 1: LBA48 NCQ (depth 31/32), AA [ 2.806725] ata1.00: supports DRM functions and may not be fully accessible [ 2.806815] ata1.00: failed to get NCQ Send/Recv Log Emask 0x1 [ 2.806823] ata1.00: configured for UDMA/133 [ 2.813982] ata2: SATA link down (SStatus 0 SControl 300) [ 2.814504] scsi 0:0:0:0: Direct-Access ATA Samsung SSD 840 CB6Q PQ: 0 ANSI: 5 [ 2.815293] sd 0:0:0:0: [sda] 234441648 512-byte logical blocks: (120 GB/111 GiB) [ 2.815439] sd 0:0:0:0: [sda] Write Protect is off [ 2.815445] sd 0:0:0:0: [sda] Mode Sense: 00 3a 00 00 [ 2.815493] sd 0:0:0:0: [sda] Write cache: enabled, read cache: enabled, doesn't support DPO or FUA [ 2.815848] sd 0:0:0:0: Attached scsi generic sg0 type 0 [ 2.829843] sda: sda1 sda2 sda3 [ 2.831110] sd 0:0:0:0: [sda] Attached SCSI disk [ 2.889887] [drm] GMBUS [i915 gmbus vga] timed out, falling back to bit banging on pin 2 [ 2.910120] usb 1-4: new full-speed USB device number 5 using xhci_hcd [ 3.042373] usb 1-4: New USB device found, idVendor=046d, idProduct=c52b [ 3.042395] usb 1-4: New USB device strings: Mfr=1, Product=2, SerialNumber=0 [ 3.042410] usb 1-4: Product: USB Receiver [ 3.042423] usb 1-4: Manufacturer: Logitech [ 3.052544] hidraw: raw HID events driver (C) Jiri Kosina [ 3.065539] usbcore: registered new interface driver usbhid [ 3.065544] usbhid: USB HID core driver [ 3.070042] logitech-djreceiver 0003:046D:C52B.0003: hiddev0,hidraw0: USB HID v1.11 Device [Logitech USB Receiver] on usb-0000:00:14.0-3/input2 [ 3.128312] logitech-djreceiver 0003:046D:C52B.0006: hiddev0,hidraw1: USB HID v1.11 Device [Logitech USB Receiver] on usb-0000:00:14.0-4/input2 [ 3.155368] usb 2-1: new SuperSpeed USB device number 2 using xhci_hcd [ 3.182824] input: Logitech Unifying Device. Wireless PID:4002 as /devices/pci0000:00/0000:00:14.0/usb1/1-3/1-3:1.2/0003:046D:C52B.0003/0003:046D:C52B.0007/input/input3 [ 3.183819] logitech-djdevice 0003:046D:C52B.0007: input,hidraw2: USB HID v1.11 Keyboard
[Logitech Unifying Device. Wireless PID:4002] on usb-0000:00:14.0-3:1 [ 3.184831] input: Logitech Unifying Device. Wireless PID:1025 as /devices/pci0000:00/0000:00:14.0/usb1/1-4/1-4:1.2/0003:046D:C52B.0006/0003:046D:C52B.0008/input/input4 [ 3.185364] logitech-djdevice 0003:046D:C52B.0008: input,hidraw3: USB HID v1.11 Mouse [Logitech Unifying Device. Wireless PID:1025] on usb-0000:00:14.0-4:1 [ 3.251466] Switched to clocksource tsc [ 3.403801] usb 2-1: New USB device found, idVendor=2109, idProduct=0812 [ 3.403823] usb 2-1: New USB device strings: Mfr=1, Product=2, SerialNumber=0 [ 3.403839] usb 2-1: Product: USB3.0 Hub [ 3.403853] usb 2-1: Manufacturer: VIA Labs, Inc. [ 3.404931] hub 2-1:1.0: USB hub found [ 3.405153] hub 2-1:1.0: 4 ports detected [ 3.754340] fbcon: inteldrmfb (fb0) is primary device [ 3.754406] Console: switching to colour frame buffer device 240x67 [ 3.754482] i915 0000:00:02.0: fb0: inteldrmfb frame buffer device [ 3.754486] i915 0000:00:02.0: registered panic notifier [ 3.760136] ACPI: Video Device [GFX0] (multi-head: yes rom: no post: no) [ 3.760868] acpi device:09: registered as cooling_device4 [ 3.760989] input: Video Bus as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0A08:00/LNXVIDEO:00/input/input5 [ 3.761419] [drm] Initialized i915 1.6.0 20080730 for 0000:00:02.0 on minor 0 [ 3.806769] [drm] Enabling RC6 states: RC6 on, RC6p off, RC6pp off [ 26.626032] random: nonblocking pool is initialized [ 30.283137] EXT4-fs (dm-1): mounted filesystem with ordered data mode. Opts: (null) [ 30.840514] init: plymouth-upstart-bridge main process (288) killed by TERM signal [ 31.120498] Adding 8278012k swap on /dev/mapper/kubuntu--vg-swap_1. Priority:-1 extents:1 across:8278012k SSFS [ 31.135732] EXT4-fs (dm-1): re-mounted. Opts: errors=remount-ro [ 31.324808] EXT4-fs (sda2): mounting ext2 file system using the ext4 subsystem [ 31.347437] EXT4-fs (sda2): mounted filesystem without journal. Opts: (null) [ 31.402269] systemd-udevd[460]: starting version 208 [ 31.488388] lp: driver loaded but no devices found [ 31.498609] ppdev: user-space parallel port driver [ 31.507287] parport0: PC-style at 0x378 (0x778) [PCSPP,TRISTATE] [ 31.634033] parport0: irq 0 detected [ 31.693420] Registered IR keymap rc-rc6-mce [ 31.694137] input: Nuvoton w836x7hg Infrared Remote Transceiver as /devices/pnp0/00:02/rc/rc0/input6 [ 31.694319] rc0: Nuvoton w836x7hg Infrared Remote Transceiver as /devices/pnp0/00:02/rc/rc0 [ 31.705194] IR NEC protocol handler initialized [ 31.711971] IR RC5(x) protocol handler initialized [ 31.718570] IR RC6 protocol handler initialized [ 31.732637] lp0: using parport0 (polling). [ 31.734722] IR JVC protocol handler initialized [ 31.745584] IR Sony protocol handler initialized [ 31.754177] IR SANYO protocol handler initialized [ 31.760094] IR MCE Keyboard/mouse protocol handler initialized [ 31.760712] IR Sharp protocol handler initialized [ 31.787069] lirc_dev: IR Remote Control driver registered, major 250 [ 31.788170] input: MCE IR Keyboard/Mouse (nuvoton-cir) as /devices/virtual/input/input7 [ 31.788425] nuvoton_cir: driver has been successfully loaded [ 31.794235] rc rc0: lirc_dev: driver ir-lirc-codec (nuvoton-cir) registered at minor = 0 [ 31.794241] IR LIRC bridge handler initialized [ 31.818496] shpchp: Standard Hot Plug PCI Controller Driver version: 0.4 [ 31.855603] snd_hda_intel 0000:00:1b.0: irq 108 for MSI/MSI-X [ 31.903619] mei_txe 0000:00:1a.0: can't derive routing for PCI INT A [ 31.903628] mei_txe 0000:00:1a.0: PCI INT A: no GSI [ 31.903725] mei_txe 0000:00:1a.0: irq 109 for MSI/MSI-X [ 31.905371] Bluetooth: Core ver 2.19 [ 31.905415] NET: Registered protocol family 31 [ 31.905420] Bluetooth: HCI device and connection manager initialized [ 31.907067] Bluetooth: HCI socket layer initialized [ 31.907077] Bluetooth: L2CAP socket layer initialized [ 31.907101] Bluetooth: SCO socket layer initialized [ 31.939443] cfg80211: Calling CRDA to update world regulatory domain [ 31.944290] sound hdaudioC0D0: autoconfig: line_outs=1 (0x14/0x0/0x0/0x0/0x0) type:line [ 31.944298] sound hdaudioC0D0: speaker_
outs=0 (0x0/0x0/0x0/0x0/0x0) [ 31.944302] sound hdaudioC0D0: hp_outs=0 (0x0/0x0/0x0/0x0/0x0) [ 31.944305] sound hdaudioC0D0: mono: mono_out=0x0 [ 31.944309] sound hdaudioC0D0: dig-out=0x1e/0x0 [ 31.944312] sound hdaudioC0D0: inputs: [ 31.944316] sound hdaudioC0D0: Mic=0x18 [ 31.967290] Intel(R) Wireless WiFi driver for Linux, in-tree: [ 31.967297] Copyright(c) 2003- 2014 Intel Corporation [ 31.967385] iwlwifi 0000:03:00.0: enabling device (0000 -> 0002) [ 31.967562] iwlwifi 0000:03:00.0: irq 110 for MSI/MSI-X [ 31.976695] usbcore: registered new interface driver btusb [ 31.994706] input: HDA Intel PCH Mic as /devices/pci0000:00/0000:00:1b.0/sound/card0/input8 [ 31.994858] input: HDA Intel PCH Line Out as /devices/pci0000:00/0000:00:1b.0/sound/card0/input9 [ 31.994998] input: HDA Intel PCH HDMI/DP,pcm=3 as /devices/pci0000:00/0000:00:1b.0/sound/card0/input10 [ 31.995140] input: HDA Intel PCH HDMI/DP,pcm=7 as /devices/pci0000:00/0000:00:1b.0/sound/card0/input11 [ 32.001968] Bluetooth: hci0: read Intel version: 370710010002030d00 [ 32.013645] Bluetooth: hci0: Intel Bluetooth firmware file: intel/ibt-hw-37.7.10-fw-1.0.2.3.d.bseq [ 32.035431] iwlwifi 0000:03:00.0: loaded firmware version 25.228.9.0 op_mode iwlmvm [ 32.112337] iwlwifi 0000:03:00.0: Detected Intel(R) Dual Band Wireless AC 3160, REV=0x164 [ 32.114534] iwlwifi 0000:03:00.0: L1 Disabled - LTR Enabled [ 32.115414] iwlwifi 0000:03:00.0: L1 Disabled - LTR Enabled [ 32.160747] audit: type=1400 audit(1429854447.247:2): apparmor="STATUS" operation="profile_load" profile="unconfined" name="/sbin/dhclient" pid=658 comm="apparmor_parser" [ 32.160762] audit: type=1400 audit(1429854447.247:3): apparmor="STATUS" operation="profile_load" profile="unconfined" name="/usr/lib/NetworkManager/nm-dhcp-client.action" pid=658 comm="apparmor_parser" [ 32.160771] audit: type=1400 audit(1429854447.247:4): apparmor="STATUS" operation="profile_load" profile="unconfined" name="/usr/lib/connman/scripts/dhclient-script" pid=658 comm="apparmor_parser" [ 32.163650] Bluetooth: BNEP (Ethernet Emulation) ver 1.3 [ 32.163656] Bluetooth: BNEP filters: protocol multicast [ 32.163668] Bluetooth: BNEP socket layer initialized [ 32.172308] Bluetooth: RFCOMM TTY layer initialized [ 32.172323] Bluetooth: RFCOMM socket layer initialized [ 32.172334] Bluetooth: RFCOMM ver 1.11 [ 32.184215] audit: type=1400 audit(1429854447.271:5): apparmor="STATUS" operation="profile_load" profile="unconfined" name="/usr/lib/cups/backend/cups-pdf" pid=665 comm="apparmor_parser" [ 32.184242] audit: type=1400 audit(1429854447.271:6): apparmor="STATUS" operation="profile_load" profile="unconfined" name="/usr/sbin/cupsd" pid=665 comm="apparmor_parser" [ 32.184251] audit: type=1400 audit(1429854447.271:7): apparmor="STATUS" operation="profile_load" profile="unconfined" name="third_party" pid=665 comm="apparmor_parser" [ 32.235015] intel_soc_dts_thermal: request_threaded_irq ret -22 [ 32.249595] intel_rapl: Found RAPL domain package [ 32.249602] intel_rapl: Found RAPL domain core [ 32.250154] Bluetooth: hci0: Intel Bluetooth firmware patch completed and activated [ 32.266549] intel_soc_dts_thermal: request_threaded_irq ret -22 [ 32.268238] ieee80211 phy0: Selected rate control algorithm 'iwl-mvm-rs' [ 32.301846] init: cups main process (674) killed by HUP signal [ 32.301875] init: cups main process ended, respawning [ 32.751918] cfg80211: World regulatory domain updated: [ 32.751927] cfg80211: DFS Master region: unset [ 32.751929] cfg80211: (start_freq - end_freq @ bandwidth), (max_antenna_gain, max_eirp), (dfs_cac_time) [ 32.751934] cfg80211: (2402000 KHz - 2472000 KHz @ 40000 KHz), (300 mBi, 2000 mBm), (N/A) [ 32.751938] cfg80211: (2457000 KHz - 2482000 KHz @ 40000 KHz), (300 mBi, 2000 mBm), (N/A) [ 32.751941] cfg80211: (2474000 KHz - 2494000 KHz @ 20000 KHz), (300 mBi, 2000 mBm), (N/A) [ 32.751945] cfg80211: (5170000 KHz - 5250000 KHz @ 40000 KHz), (300 mBi, 2000 mBm), (N/A) [ 32.751948] cfg80211: (5735000 KHz - 5835000 KHz @ 40000 KHz), (300 mBi, 2000 mBm), (N/A) [ 32.778040] init: failsafe main process (755) killed by TERM
signal [ 33.147931] audit: type=1400 audit(1429854448.235:8): apparmor="STATUS" operation="profile_load" profile="unconfined" name="/usr/lib/lightdm/lightdm-guest-session" pid=913 comm="apparmor_parser" [ 33.147946] audit: type=1400 audit(1429854448.235:9): apparmor="STATUS" operation="profile_load" profile="unconfined" name="chromium" pid=913 comm="apparmor_parser" [ 33.151403] audit: type=1400 audit(1429854448.239:10): apparmor="STATUS" operation="profile_replace" profile="unconfined" name="/sbin/dhclient" pid=913 comm="apparmor_parser" [ 33.151421] audit: type=1400 audit(1429854448.239:11): apparmor="STATUS" operation="profile_replace" profile="unconfined" name="/usr/lib/NetworkManager/nm-dhcp-client.action" pid=913 comm="apparmor_parser" [ 33.742336] systemd-logind[1025]: New seat seat0. [ 33.769194] systemd-logind[1025]: Watching system buttons on /dev/input/event2 (Power Button) [ 33.769337] systemd-logind[1025]: Watching system buttons on /dev/input/event5 (Video Bus) [ 33.769475] systemd-logind[1025]: Watching system buttons on /dev/input/event0 (Power Button) [ 33.769611] systemd-logind[1025]: Watching system buttons on /dev/input/event1 (Sleep Button) [ 33.953178] r8169 0000:01:00.0 eth0: link down [ 33.953201] r8169 0000:01:00.0 eth0: link down [ 33.953254] IPv6: ADDRCONF(NETDEV_UP): eth0: link is not ready [ 33.957576] iwlwifi 0000:03:00.0: L1 Disabled - LTR Enabled [ 33.957799] iwlwifi 0000:03:00.0: L1 Disabled - LTR Enabled [ 33.970193] IPv6: ADDRCONF(NETDEV_UP): wlan0: link is not ready"
org.kde.kurifilter-ikws: Keywords Engine: Loading config...
org.kde.kurifilter-ikws: Web Shortcuts Enabled: true
org.kde.kurifilter-ikws: Default Shortcut: ""
org.kde.kurifilter-ikws: Keyword Delimiter: :
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
kf5.kded: could not find kded module with id "favicons"
kf5.kded: attempted to load an invalid module.
kf5.kded: Failed to load module for "favicons"
const QDBusArgument& operator>>(const QDBusArgument&, DeviceList&)
Dev(
id: "cpu-microcode.py"
modalias: ""
model: ""
vendor: ""
driver("intel-microcode" recommended[false] free[false] fromDistro[true] builtin[false] manualInstall[false] fuzzyActive[false] package[0x0])
)
data (Dev(
id: "cpu-microcode.py"
modalias: ""
model: ""
vendor: ""
driver("intel-microcode" recommended[false] free[false] fromDistro[true] builtin[false] manualInstall[false] fuzzyActive[false] package[0x0])
))
"cpu-microcode.py" has already been processed by the KCM
log_koalarmclient: Check: "Di. Nov. 17 21:23:41 2015" - "Di. Nov. 17 21:24:40 2015"
log_sendlateragent: list is empty
kdeinit5: PID 1759 terminated.
kdeinit5: PID 1769 terminated.
QQuickItem::ungrabMouse(): Item is not the mouse grabber.
Opening item with URL "/usr/share/applications/org.kde.dolphin.desktop"
kdeinit5: Got EXT_EXEC '/usr/bin/dolphin' from launcher.
kdeinit5: preparing to launch '/usr/bin/dolphin'
Duplicate entry added. Removing existing entry from queue.
Recent app added "org.kde.dolphin.desktop" 2
QXcbConnection: XCB error: 3 (BadWindow), sequence: 21104, resource id: 102760449, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 21238, resource id: 102760450, major code: 18 (ChangeProperty), minor code: 0
"Trying to convert empty KLocalizedString to QString."
no winId: probably startup task
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so'
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/trash.so' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/trash.so'
initialization OK, home trash dir: "/home/bw/.local/share/Trash"
listdir: QUrl( "trash:/" )
kdeinit5: Got EXEC_NEW '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so' from launcher.
kdeinit5: preparing to launch '/usr/lib/x86_64-linux-gnu/qt5/plugins/kf5/kio/file.so'
KSambaShare: Could not find smb.conf!
QInotifyFileSystemWatcherEngine::addPaths: inotify_add_watch failed: Permission denied
QInotifyFileSystemWatcherEngine::addPaths: inotify_add_watch failed: Permission denied
doesn't know "/dev"
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 39943, resource id: 104857601, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 39947, resource id: 104857602, major code: 18 (ChangeProperty), minor code: 0
no winId: probably startup task
Creating the cache for: "/var/log/syslog"
Already in database? false
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:25:33.216 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
New score : 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 53797, resource id: 23068681, major code: 18 (ChangeProperty), minor code: 0
log_koalarmclient: Check: "Di. Nov. 17 21:24:41 2015" - "Di. Nov. 17 21:25:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:25:41 2015" - "Di. Nov. 17 21:26:40 2015"
QXcbConnection: XCB error: 3 (BadWindow), sequence: 19970, resource id: 98566189, major code: 18 (ChangeProperty), minor code: 0
kdeinit5: PID 2093 terminated.
QXcbConnection: XCB error: 3 (BadWindow), sequence: 17945, resource id: 98566149, major code: 142 (Unknown), minor code: 3
QXcbConnection: XCB error: 151 (Unknown), sequence: 17946, resource id: 98566149, major code: 143 (Unknown), minor code: 2
Creating the cache for: "/var/log/syslog"
Already in database? true
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
New score : 0
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 29903, resource id: 29360129, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 29907, resource id: 29360130, major code: 18 (ChangeProperty), minor code: 0
no winId: probably startup task
Creating the cache for: "/var/log/syslog.1"
Already in database? false
First update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:27:28.301 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
New score : 0
log_koalarmclient: Check: "Di. Nov. 17 21:26:41 2015" - "Di. Nov. 17 21:27:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:27:41 2015" - "Di. Nov. 17 21:28:40 2015"
QXcbConnection: XCB error: 3 (BadWindow), sequence: 16503, resource id: 29360194, major code: 18 (ChangeProperty), minor code: 0
kdeinit5: PID 2106 terminated.
QXcbConnection: XCB error: 3 (BadWindow), sequence: 24357, resource id: 29360133, major code: 142 (Unknown), minor code: 3
Creating the cache for: "/var/log/syslog.1"
Already in database? true
First update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
New score : 0
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 26700, resource id: 98566145, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 26704, resource id: 98566146, major code: 18 (ChangeProperty), minor code: 0
no winId: probably startup task
Creating the cache for: "/var/log/syslog"
Already in database? true
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:27:25.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:27:25.000 CET Qt::LocalTime")
Interval length is 0
Interval length is 2847175134
New score : 1
log_koalarmclient: Check: "Di. Nov. 17 21:28:41 2015" - "Di. Nov. 17 21:29:40 2015"
kdeinit5: PID 2090 terminated.
kdeinit5: PID 2091 terminated.
log_koalarmclient: Check: "Di. Nov. 17 21:29:41 2015" - "Di. Nov. 17 21:30:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:30:41 2015" - "Di. Nov. 17 21:31:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:31:41 2015" - "Di. Nov. 17 21:32:40 2015"
org.kde.kurifilter-ikws: "Hit http://ch.archive.ubuntu.com wily InRelease Hit http://ch.archive.ubuntu.com wily-updates InRelease Get:1 http://security.ubuntu.com wily-security InRelease [64.4 kB] Hit http://ch.archive.ubuntu.com wily-backports InRelease Hit http://ch.archive.ubuntu.com wily/main Sources Hit http://ch.archive.ubuntu.com wily/restricted Sources Hit http://ch.archive.ubuntu.com wily/universe Sources Hit http://ch.archive.ubuntu.com wily/multiverse Sources Hit http://ch.archive.ubuntu.com wily/main amd64 Packages Hit http://ch.archive.ubuntu.com wily/restricted amd64 Packages Get:2 http://security.ubuntu.com wily-security/main Sources [15.2 kB] Hit http://ch.archive.ubuntu.com wily/universe amd64 Packages Hit http://ch.archive.ubuntu.com wily/multiverse amd64 Packages Hit http://ch.archive.ubuntu.com wily/main i386 Packages Hit http://ch.archive.ubuntu.com wily/restricted i386 Packages Hit http://ch.archive.ubuntu.com wily/universe i386 Packages Hit http://ch.archive.ubuntu.com wily/multiverse i386 Packages Hit http://ch.archive.ubuntu.com wily/main Translation-en Get:3 http://security.ubuntu.com wily-security/restricted Sources [28 B] Hit http://ch.archive.ubuntu.com wily/multiverse Translation-en Hit http://ch.archive.ubuntu.com wily/restricted Translation-en Get:4 http://security.ubuntu.com wily-security/universe Sources [2'496 B] Get:5 http://security.ubuntu.com wily-security/multiverse Sources [725 B] Hit http://ch.archive.ubuntu.com wily/universe Translation-en Hit http://ch.archive.ubuntu.com wily-updates/main Sources Get:6 http://security.ubuntu.com wily-security/main amd64 Packages [40.0 kB] Hit http://ch.archive.ubuntu.com wily-updates/restricted Sources Hit http://ch.archive.ubuntu.com wily-updates/universe Sources Hit http://ch.archive.ubuntu.com wily-updates/multiverse Sources Hit http://ch.archive.ubuntu.com wily-updates/main amd64 Packages Hit http://ch.archive.ubuntu.com wily-updates/restricted amd64 Packages Hit http://ch.archive.ubuntu.com wily-updates/universe amd64 Packages Hit http://ch.archive.ubuntu.com wily-updates/multiverse amd64 Packages Hit http://ch.archive.ubuntu.com wily-updates/main i386 Packages Hit http://ch.archive.ubuntu.com wily-updates/restricted i386 Packages Hit http://ch.archive.ubuntu.com wily-updates/universe i386 Packages Hit http://ch.archive.ubuntu.com wily-updates/multiverse i386 Packages Hit http://ch.archive.ubuntu.com wily-updates/main Translation-en Get:7 http://security.ubuntu.com wily-security/restricted amd64 Packages [28 B] Hit http://ch.archive.ubuntu.com wily-updates/multiverse Translation-en Hit http://ch.archive.ubuntu.com wily-updates/restricted Translation-en Get:8 http://security.ubuntu.com wily-security/universe amd64 Packages [19.3 kB] Hit http://ch.archive.ubuntu.com wily-updates/universe Translation-en Hit http://ch.archive.ubuntu.com wily-backports/main Sources Get:9 http://security.ubuntu.com wily-security/multiverse amd64 Packages [1'160 B] Get:10 http://security.ubuntu.com wily-security/main i386 Packages [39.4 kB] Hit http://ch.archive.ubuntu.com wily-backports/restricted Sources Hit http://ch.archive.ubuntu.com wily-backports/universe Sources Hit http://ch.archive.ubuntu.com wily-backports/multiverse Sources Hit http://ch.archive.ubuntu.com wily-backports/main amd64 Packages Hit http://ch.archive.ubuntu.com wily-backports/restricted amd64 Packages Hit http://ch.archive.ubuntu.com wily-backports/universe amd64 Packages Hit http://ch.archive.ubuntu.com wily-backports/multiverse amd64 Packages Get:11 http://security.ubuntu.com wily-security/restricted i386 Packages [28 B] Hit http://ch.archive.ubuntu.com wily-backports/main i386 Packages Hit http://ch.archive.ubuntu.com wily-backports/restricted i386 Packages Get:12 http://security.ubuntu.com wily-security/universe i386 Packages [19.2 kB] Hit http://ch.archive.ubuntu.com wily-backports/universe i386 Packages Hit http://ch.archive.ubuntu.com wily-backports/multiverse i386 Packages Hit http://ch.archive.ubuntu.com wily-backports/main Translation-en Hit http://ch.archive.ubuntu.com wily-
backports/multiverse Translation-en Hit http://ch.archive.ubuntu.com wily-backports/restricted Translation-en Get:13 http://security.ubuntu.com wily-security/multiverse i386 Packages [1'408 B] Hit http://ch.archive.ubuntu.com wily-backports/universe Translation-en Hit http://security.ubuntu.com wily-security/main Translation-en Hit http://security.ubuntu.com wily-security/multiverse Translation-en Hit http://security.ubuntu.com wily-security/restricted Translation-en Hit http://security.ubuntu.com wily-security/universe Translation-en Fetched 203 kB in 9s (22.5 kB/s) Reading package lists... Done Building dependency tree Reading state information... Done All packages are up to date. linux-generic: Installed: 4.2.0.18.20 Candidate: 4.2.0.18.20 Version table: *** 4.2.0.18.20 0 500 http://ch.archive.ubuntu.com/ubuntu/ wily-updates/main amd64 Packages 500 http://security.ubuntu.com/ubuntu/ wily-security/main amd64 Packages 100 /var/lib/dpkg/status 4.2.0.16.18 0 500 http://ch.archive.ubuntu.com/ubuntu/ wily/main amd64 Packages"
log_koalarmclient: Check: "Di. Nov. 17 21:32:41 2015" - "Di. Nov. 17 21:33:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:33:41 2015" - "Di. Nov. 17 21:34:40 2015"
org.kde.kurifilter-ikws: "bw@twister:~$ uname -a Linux twister 4.2.0-18-generic #22-Ubuntu SMP Fri Nov 6 18:25:50 UTC 2015 x86_64 x86_64 x86_64 GNU/Linux"
codecForName: ucnv_open failed ISO-8859-16 U_FILE_ACCESS_ERROR
log_koalarmclient: Check: "Di. Nov. 17 21:34:41 2015" - "Di. Nov. 17 21:35:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:35:41 2015" - "Di. Nov. 17 21:36:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:36:41 2015" - "Di. Nov. 17 21:37:40 2015"
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 39291, resource id: 29360129, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 39295, resource id: 29360130, major code: 18 (ChangeProperty), minor code: 0
kate: openURL
kdeinit5: PID 2198 terminated.
QXcbConnection: XCB error: 3 (BadWindow), sequence: 39544, resource id: 29360133, major code: 18 (ChangeProperty), minor code: 0
Creating the cache for: "/var/log/dmesg.0"
Already in database? false
First update : QDateTime("2015-11-17 21:38:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:38:33.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:38:33.558 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:38:33.000 CET Qt::LocalTime")
New score : 0
log_koalarmclient: Check: "Di. Nov. 17 21:37:41 2015" - "Di. Nov. 17 21:38:40 2015"
QXcbConnection: XCB error: 3 (BadWindow), sequence: 40178, resource id: 100663483, major code: 142 (Unknown), minor code: 3
QXcbConnection: XCB error: 151 (Unknown), sequence: 40179, resource id: 100663483, major code: 143 (Unknown), minor code: 2
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 23819, resource id: 102760449, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 23823, resource id: 102760450, major code: 18 (ChangeProperty), minor code: 0
kate: openURL
QXcbConnection: XCB error: 3 (BadWindow), sequence: 24057, resource id: 98566149, major code: 18 (ChangeProperty), minor code: 0
kdeinit5: PID 2204 terminated.
Creating the cache for: "/var/log/syslog"
Already in database? true
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:29:22.000 CET Qt::LocalTime")
After the adjustment
Current score : 1
First update : QDateTime("2015-11-17 21:25:33.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:29:22.000 CET Qt::LocalTime")
Interval length is 2847174532
Interval length is 0
New score : 2
log_koalarmclient: Check: "Di. Nov. 17 21:38:41 2015" - "Di. Nov. 17 21:39:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:39:41 2015" - "Di. Nov. 17 21:40:40 2015"
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 30170, resource id: 29360129, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 30174, resource id: 29360130, major code: 18 (ChangeProperty), minor code: 0
kate: openURL
kdeinit5: PID 2213 terminated.
QXcbConnection: XCB error: 3 (BadWindow), sequence: 30406, resource id: 29360133, major code: 18 (ChangeProperty), minor code: 0
Creating the cache for: "/var/log/syslog.1"
Already in database? true
First update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:29:20.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:27:28.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:29:20.000 CET Qt::LocalTime")
Interval length is 2847174445
Interval length is 0
New score : 1
log_koalarmclient: Check: "Di. Nov. 17 21:40:41 2015" - "Di. Nov. 17 21:41:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:41:41 2015" - "Di. Nov. 17 21:42:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:42:41 2015" - "Di. Nov. 17 21:43:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:43:41 2015" - "Di. Nov. 17 21:44:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:44:41 2015" - "Di. Nov. 17 21:45:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:45:41 2015" - "Di. Nov. 17 21:46:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:46:41 2015" - "Di. Nov. 17 21:47:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:47:41 2015" - "Di. Nov. 17 21:48:40 2015"
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2787, resource id: 96473257, major code: 19 (DeleteProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2801, resource id: 96473257, major code: 19 (DeleteProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2802, resource id: 96473257, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2803, resource id: 96473257, major code: 19 (DeleteProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2804, resource id: 96473257, major code: 19 (DeleteProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2805, resource id: 96473257, major code: 19 (DeleteProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2806, resource id: 96473257, major code: 7 (ReparentWindow), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2807, resource id: 96473257, major code: 6 (ChangeSaveSet), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2808, resource id: 96473257, major code: 2 (ChangeWindowAttributes), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 2809, resource id: 96473257, major code: 10 (UnmapWindow), minor code: 0
KServiceTypeTrader: serviceType "KonqPopupMenu/Plugin" not found
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 16208, resource id: 98566145, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 16212, resource id: 98566146, major code: 18 (ChangeProperty), minor code: 0
kate: openURL
Creating the cache for: "/var/log/Xorg.0.log.old"
Already in database? false
First update : QDateTime("2015-11-17 21:49:18.000 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:49:18.000 CET Qt::LocalTime")
After the adjustment
Current score : 0
First update : QDateTime("2015-11-17 21:49:18.832 CET Qt::LocalTime")
Last update : QDateTime("2015-11-17 21:49:18.000 CET Qt::LocalTime")
New score : 0
log_koalarmclient: Check: "Di. Nov. 17 21:48:41 2015" - "Di. Nov. 17 21:49:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:49:41 2015" - "Di. Nov. 17 21:50:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:50:41 2015" - "Di. Nov. 17 21:51:40 2015"
log_koalarmclient: Check: "Di. Nov. 17 21:51:41 2015" - "Di. Nov. 17 21:52:40 2015"
kdeinit5: Got EXT_EXEC '/usr/bin/kate' from launcher.
kdeinit5: preparing to launch '/usr/bin/kate'
QXcbConnection: XCB error: 3 (BadWindow), sequence: 51092, resource id: 104857601, major code: 18 (ChangeProperty), minor code: 0
QXcbConnection: XCB error: 3 (BadWindow), sequence: 51096, resource id: 104857602, major code: 18 (ChangeProperty), minor code: 0
kate: openURL
QXcbConnection: XCB error: 3 (BadWindow), sequence: 51328, resource id: 29360133, major code: 18 (ChangeProperty), minor code: 0
kdeinit5: PID 2248 terminated.
log_koalarmclient: Check: "Di. Nov. 17 21:52:41 2015" - "Di. Nov. 17 21:53:40 2015"
|