diff --git a/docs/TestScenarios.md b/docs/TestScenarios.md
index e00bf22a4db72af7891b833c585acbe4cc6cf910..480bb7a8a809e33395d78598778c94ccc9d376df 100644
--- a/docs/TestScenarios.md
+++ b/docs/TestScenarios.md
@@ -43,3 +43,8 @@ This table is written in shorthand
 | response | cpuUsage | ~#clients |
 | SF | avg_response_time | ~#requests and ~quality |
 | SF | peak_repsonse_time | ~#requests and ~quality |
+
+
+### Scenario 2  - Two Dash Servers
+
+
diff --git a/src/mediaServiceSim/LineProtocolGenerator.py b/src/mediaServiceSim/LineProtocolGenerator.py
new file mode 100644
index 0000000000000000000000000000000000000000..25d19df73c2b977903f181b357adb9b790918989
--- /dev/null
+++ b/src/mediaServiceSim/LineProtocolGenerator.py
@@ -0,0 +1,147 @@
+# line protocol
+
+# Method to create a full InfluxDB request statement (based on partial statement from client)
+import uuid
+from random import random, randint
+
+def _generateClientRequest(cReq, id, time):
+    # Tags first
+    result = 'sid="' + str(id) + '",' + cReq
+
+    # Fields
+    # No additional fields here yet
+
+    # Timestamp
+    result += ' ' + str(_getNSTime(time))
+
+    # Measurement
+    return 'request,' + result
+
+
+# Method to create a full InfluxDB response statement
+def _generateServerResponse(reqID, quality, time, cpuUsage, qualityDifference):
+    # Tags first
+    result = ' '
+
+    # Fields
+    result += 'quality=' + str(quality) + ','
+    result += 'cpuUsage=' + str(cpuUsage) + ','
+    result += 'qualityDifference=' + str(qualityDifference) + ','
+    result += 'requestID="' + str(reqID) + '",'
+    result += 'index="' + str(uuid.uuid4()) + '"'
+
+    # Timestamp
+    result += ' ' + str(_getNSTime(time))
+
+    # Measurement
+    # print('response'+result)
+    return 'response' + result
+
+
+def _generateNetworkReport(sum_of_client_quality, time):
+    # Measurement
+    result = 'net_port_io'
+    # Tags
+    result += ',port_id=enps03 '
+    # Fields
+    result += 'RX_BYTES_PORT_M=' + str(sum_of_client_quality * 32) + ","
+    result += 'TX_BYTES_PORT_M=' + str(sum_of_client_quality * 1024)
+    # Timestamp
+    result += ' ' + str(_getNSTime(time))
+
+    # Measurement
+    # print('network'+result)
+    return result
+
+
+def _generateMpegDashReport(resource, quality, time):
+    # Measurement
+    result = 'mpegdash_service '
+    # Tags
+    #None
+    # Fields
+    requests = randint(10, 30)
+    avg_response_time = 50 + randint(0, 100) + randint(0, 10 * quality)
+    peak_response_time = avg_response_time + randint(30, 60) + randint(5, 10) * quality
+    result += 'cont_nav=\"' + str(resource) + "\","
+    result += 'cont_rep=' + str(quality) + ','
+    result += 'requests=' + str(requests) + ','
+    result += 'avg_response_time=' + str(avg_response_time) + ','
+    result += 'peak_response_time=' + str(peak_response_time)
+    # Timestamp
+    result += ' ' + str(_getNSTime(time))
+    #print(result)
+    return result
+
+
+def _generateServerConfig(ID, location, cpu, mem, storage, time):
+    # metric
+    result = 'host_resource'
+    # Tags
+    result += ',slide_id=' + quote_wrap(ID)
+    result += ',location=' + quote_wrap(location)
+    result += ' '
+    # Fields
+    result += 'cpu=' + str(cpu)
+    result += ',memory=' + quote_wrap(mem)
+    result += ',storage=' + quote_wrap(storage)
+
+    # Time
+    result += ' ' + str(_getNSTime(time))
+
+    print(result)
+    return result
+
+
+def _generateVMConfig(state, cpu, mem, storage, time):
+    # metric
+    result = 'vm_res_alloc'
+    # Tags
+    result += ',vm_state=' + quote_wrap(state)
+    result += ' '
+    # Fields
+    result += 'cpu=' + str(cpu)
+    result += ',memory=' + quote_wrap(mem)
+    result += ',storage=' + quote_wrap(storage)
+
+    # Time
+    result += ' ' + str(_getNSTime(time))
+
+    print(result)
+    return result
+
+
+def _configure_port(port_id, state, rate, time):
+    # metric
+    result = 'net_port_config '
+    # Fields
+    result += 'port_id=' + quote_wrap('enps' + port_id)
+    result += 'port_state=' + quote_wrap(state)
+    result += 'tx_constraint=' + quote_wrap(rate)
+    result += ' '
+
+    # Time
+    result += ' ' + str(_getNSTime(time))
+
+    print(result)
+    return result
+
+def _configure_service_function(state, max_connected_clients):
+    # measurement
+    result = 'mpegdash_service_config'
+    # tags
+    result += ',running='+quote_wrap(state)
+    result += ' '
+    # fields
+    result += 'max_connected_clients='+max_connected_clients
+
+    return result
+
+def quote_wrap(str):
+    return "\"" + str + "\""
+
+
+# InfluxDB likes to have time-stamps in nanoseconds
+def _getNSTime(time):
+    # Convert to nano-seconds
+    return 1000000 * time
diff --git a/src/mediaServiceSim/__pycache__/LineProtocolGenerator.cpython-36.pyc b/src/mediaServiceSim/__pycache__/LineProtocolGenerator.cpython-36.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..f38f213dc30a01a2424732fbe023db717c3fe646
Binary files /dev/null and b/src/mediaServiceSim/__pycache__/LineProtocolGenerator.cpython-36.pyc differ
diff --git a/src/mediaServiceSim/serviceSim.py b/src/mediaServiceSim/serviceSim.py
index bf35c43f5e97be426b12ba1204b83af6d57c5fb9..576773e7f3c47f18e30d308fc7f0b7c10c73423e 100644
--- a/src/mediaServiceSim/serviceSim.py
+++ b/src/mediaServiceSim/serviceSim.py
@@ -32,7 +32,7 @@ import datetime
 import uuid
 import urllib.parse
 import urllib.request
-
+import LineProtocolGenerator as lp
 
 # DemoConfig is a configuration class used to set up the simulation
 class DemoConfig(object):
@@ -134,7 +134,7 @@ class DemoServer(object):
         ids = ['A', 'B', 'C']
         locations = ['locA', 'locB', 'locC']
         for i, id in enumerate(ids):
-            server_conf_block.append(self._generateServerConfig(id,locations[i],8,'100G','1T',self._selectDelay(len(ids))))
+            server_conf_block.append(lp._generateServerConfig(id,locations[i],8,'100G','1T', self._selectDelay(len(ids))))
         self._sendInfluxDataBlock(server_conf_block)
     def configure_VMs(self):
         print("Configuring VM nodes")
@@ -144,6 +144,14 @@ class DemoServer(object):
 
         self._sendInfluxDataBlock(VM_conf_block)
 
+    def configure_ports(self):
+        print("Configuring Servers")
+        server_conf_block = []
+        for i in range(0,10):
+            server_conf_block.append(lp._configure_port())
+        self._sendInfluxDataBlock(server_conf_block)
+
+
     def shutdown_VMs(self):
         print("Shutting down VM nodes")
         VM_conf_block = []
@@ -153,7 +161,7 @@ class DemoServer(object):
 
     def _generateVMS(self,state, amount, datablock):
         for i in range(0, amount):
-            datablock.append(self._generateVMConfig(state, 1, '100G', '1T', self._selectDelay(amount)))
+            datablock.append(lp._generateVMConfig(state, 1, '100G', '1T', self._selectDelay(amount)))
 
     def iterateService( self ):
         # The simulation will run through 'X' iterations of the simulation
@@ -187,7 +195,7 @@ class DemoServer(object):
                     if ( cReq != None ):
 
                         clientsRequesting.append( client )
-                        requestBlock.append( self._generateClientRequest(cReq) )
+                        requestBlock.append( lp._generateClientRequest(cReq, self.id, self.currentTime) )
 
 
 
@@ -202,20 +210,22 @@ class DemoServer(object):
 
                     # Generate some quality and delays based on the number of clients requesting for this iteration
                     qualitySelect = self._selectQuality( client.getQuality(), clientReqCount )
-                    delaySelect = self._selectDelay( clientReqCount )
+                    delaySelect = self._selectDelay( clientReqCount ) + self.currentTime
                     qualityDifference = client.getQuality() - qualitySelect
                     totalDifference+=qualityDifference
-                   # print('totalDifference = ' + str(totalDifference) +'\n')
+                    # print('totalDifference = ' + str(totalDifference) +'\n')
                     sumOfclientQuality+=client.getQuality()
-                    #print('sumOfclientQuality = ' + str(sumOfclientQuality) + '\n')
+                    # print('sumOfclientQuality = ' + str(sumOfclientQuality) + '\n')
                     percentageDifference=int((totalDifference*100)/sumOfclientQuality)
-                   # print('percentageOfQualityDifference = ' + str(percentageDifference) + '%')
+                    # print('percentageOfQualityDifference = ' + str(percentageDifference) + '%')
  
-                    responseBlock.append( self._generateServerResponse( client.getLastRequestID(), qualitySelect, delaySelect, cpuUsagePercentage, percentageDifference ) )
-                    SFBlock.append( self._generateMpegDashReport('https://netflix.com/scream',qualitySelect,delaySelect))
+                    responseBlock.append(lp._generateServerResponse(client.getLastRequestID(), qualitySelect,
+                                                                      delaySelect, cpuUsagePercentage,
+                                                                      percentageDifference))
+                    SFBlock.append(lp._generateMpegDashReport('https://netflix.com/scream', qualitySelect, delaySelect))
 
 
-                    networkBlock.append(self._generateNetworkReport(sumOfclientQuality,delaySelect))
+                    networkBlock.append(lp._generateNetworkReport(sumOfclientQuality, delaySelect))
                 # Iterate the service simulation
                 self.simIterations -= 1
                 self.currentTime += 1000 # advance 1 second
@@ -226,7 +236,7 @@ class DemoServer(object):
             self._sendInfluxDataBlock( responseBlock )
             self._sendInfluxDataBlock( networkBlock )
             self._sendInfluxDataBlock( SFBlock )
-            #print("Sending influx data blocks")
+            print("Sending influx data blocks")
 
         return self.simIterations
 
@@ -300,114 +310,6 @@ class DemoServer(object):
 
         return result
 
-    # Method to create a full InfluxDB request statement (based on partial statement from client)
-    def _generateClientRequest( self, cReq ):
-
-        # Tags first
-        result = 'sid="' + str(self.id) + '",' + cReq
-
-        # Fields
-        # No additional fields here yet
-
-        # Timestamp
-        result += ' ' + str( self._getNSTime() )
-
-        # Measurement
-        return 'request,' + result
-
-    # Method to create a full InfluxDB response statement
-    def _generateServerResponse( self, reqID, quality, delay, cpuUsage, qualityDifference ):
-
-        # Tags first
-        result = ' '
-
-        # Fields
-        result += 'quality=' + str( quality ) + ','
-        result += 'cpuUsage=' + str(cpuUsage) + ','
-        result += 'qualityDifference=' + str(qualityDifference) +','
-        result += 'requestID="' + str( reqID ) + '",'
-        result += 'index="' + str( uuid.uuid4() ) + '"'
-
-        # Timestamp
-        result += ' ' + str( self._getNSTime(delay) )
-
-        # Measurement
-        #print('response'+result)
-        return 'response' + result
-
-    def _generateNetworkReport(self, sum_of_client_quality, delay):
-        # Tags
-        result = ',port_id=enps03 '
-        # Fields
-        result += 'RX_BYTES_PORT_M='+str(sum_of_client_quality*32)+","
-        result += 'TX_BYTES_PORT_M='+str(sum_of_client_quality*1024)
-        # Timestamp
-        result += ' ' + str( self._getNSTime(delay) )
-
-        # Measurement
-        #print('network'+result)
-        return 'net_port_io' + result
-
-    def _generateMpegDashReport(self, resource, quality, delay):
-        # Tags
-        result = ' '
-        # Fields
-        requests = randint(10,30)
-        avg_response_time = 50+randint(0,100)+randint(0,10*quality)
-        peak_response_time = avg_response_time + randint(30,60) + randint(5,10)*quality
-        result += 'cont_nav=\"'+str(resource)+"\","
-        result += 'cont_rep='+str(quality)+','
-        result += 'requests='+str(requests)+','
-        result += 'avg_response_time='+str(avg_response_time)+','
-        result += 'peak_response_time='+str(peak_response_time)
-        # Timestamp
-        result += ' ' + str( self._getNSTime(delay) )
-
-        # Measurement
-        #print('mpegdash_service'+result)
-        return 'mpegdash_service' + result
-
-    def _generateServerConfig(self, ID, location, cpu, mem, storage, delay):
-        # metric
-        result = 'host_resource'
-        # Tags
-        result += ',slide_id='+self.quote_wrap(ID)
-        result += ',location='+self.quote_wrap(location)
-        result += ' '
-        # Fields
-        result += 'cpu='+str(cpu)
-        result += ',memory='+self.quote_wrap(mem)
-        result += ',storage=' + self.quote_wrap(storage)
-
-        #Time
-        result += ' ' + str( self._getNSTime(delay) )
-
-        print(result)
-        return result
-
-    def _generateVMConfig(self, state, cpu, mem, storage, delay):
-        # metric
-        result = 'vm_res_alloc'
-        # Tags
-        result += ',vm_state='+self.quote_wrap(state)
-        result += ' '
-        # Fields
-        result += 'cpu='+str(cpu)
-        result += ',memory='+self.quote_wrap(mem)
-        result += ',storage=' + self.quote_wrap(storage)
-
-        #Time
-        result += ' ' + str( self._getNSTime(delay) )
-
-        print(result)
-        return result
-
-    def quote_wrap(self,str):
-        return "\""+str+"\""
-    # InfluxDB likes to have time-stamps in nanoseconds
-    def _getNSTime( self, offset = 0 ):
-        # Convert to nano-seconds
-        return 1000000 * ( self.currentTime + offset )
 
     def _createDB( self ):
         self._sendInfluxQuery( 'CREATE DATABASE '+  self.influxDB )
diff --git a/ubuntu-xenial-16.04-cloudimg-console.log b/ubuntu-xenial-16.04-cloudimg-console.log
new file mode 100644
index 0000000000000000000000000000000000000000..292367aa66bf0e98b3c408f7fd136222f9371ee9
--- /dev/null
+++ b/ubuntu-xenial-16.04-cloudimg-console.log
@@ -0,0 +1,715 @@
+[    0.000000] Initializing cgroup subsys cpuset
+[    0.000000] Initializing cgroup subsys cpu
+[    0.000000] Initializing cgroup subsys cpuacct
+[    0.000000] Linux version 4.4.0-98-generic (buildd@lcy01-03) (gcc version 5.4.0 20160609 (Ubuntu 5.4.0-6ubuntu1~16.04.4) ) #121-Ubuntu SMP Tue Oct 10 14:24:03 UTC 2017 (Ubuntu 4.4.0-98.121-generic 4.4.90)
+[    0.000000] Command line: BOOT_IMAGE=/boot/vmlinuz-4.4.0-98-generic root=LABEL=cloudimg-rootfs ro console=tty1 console=ttyS0
+[    0.000000] KERNEL supported cpus:
+[    0.000000]   Intel GenuineIntel
+[    0.000000]   AMD AuthenticAMD
+[    0.000000]   Centaur CentaurHauls
+[    0.000000] x86/fpu: xstate_offset[2]:  576, xstate_sizes[2]:  256
+[    0.000000] x86/fpu: Supporting XSAVE feature 0x01: 'x87 floating point registers'
+[    0.000000] x86/fpu: Supporting XSAVE feature 0x02: 'SSE registers'
+[    0.000000] x86/fpu: Supporting XSAVE feature 0x04: 'AVX registers'
+[    0.000000] x86/fpu: Enabled xstate features 0x7, context size is 832 bytes, using 'standard' format.
+[    0.000000] x86/fpu: Using 'lazy' FPU context switches.
+[    0.000000] e820: BIOS-provided physical RAM map:
+[    0.000000] BIOS-e820: [mem 0x0000000000000000-0x000000000009fbff] usable
+[    0.000000] BIOS-e820: [mem 0x000000000009fc00-0x000000000009ffff] reserved
+[    0.000000] BIOS-e820: [mem 0x00000000000f0000-0x00000000000fffff] reserved
+[    0.000000] BIOS-e820: [mem 0x0000000000100000-0x000000007ffeffff] usable
+[    0.000000] BIOS-e820: [mem 0x000000007fff0000-0x000000007fffffff] ACPI data
+[    0.000000] BIOS-e820: [mem 0x00000000fec00000-0x00000000fec00fff] reserved
+[    0.000000] BIOS-e820: [mem 0x00000000fee00000-0x00000000fee00fff] reserved
+[    0.000000] BIOS-e820: [mem 0x00000000fffc0000-0x00000000ffffffff] reserved
+[    0.000000] NX (Execute Disable) protection: active
+[    0.000000] SMBIOS 2.5 present.
+[    0.000000] Hypervisor detected: KVM
+[    0.000000] e820: last_pfn = 0x7fff0 max_arch_pfn = 0x400000000
+[    0.000000] MTRR: Disabled
+[    0.000000] x86/PAT: MTRRs disabled, skipping PAT initialization too.
+[    0.000000] CPU MTRRs all blank - virtualized system.
+[    0.000000] x86/PAT: Configuration [0-7]: WB  WT  UC- UC  WB  WT  UC- UC  
+[    0.000000] found SMP MP-table at [mem 0x0009fff0-0x0009ffff] mapped at [ffff88000009fff0]
+[    0.000000] Scanning 1 areas for low memory corruption
+[    0.000000] RAMDISK: [mem 0x36ac6000-0x3755afff]
+[    0.000000] ACPI: Early table checksum verification disabled
+[    0.000000] ACPI: RSDP 0x00000000000E0000 000024 (v02 VBOX  )
+[    0.000000] ACPI: XSDT 0x000000007FFF0030 00003C (v01 VBOX   VBOXXSDT 00000001 ASL  00000061)
+[    0.000000] ACPI: FACP 0x000000007FFF00F0 0000F4 (v04 VBOX   VBOXFACP 00000001 ASL  00000061)
+[    0.000000] ACPI: DSDT 0x000000007FFF0470 0021FF (v02 VBOX   VBOXBIOS 00000002 INTL 20100528)
+[    0.000000] ACPI: FACS 0x000000007FFF0200 000040
+[    0.000000] ACPI: FACS 0x000000007FFF0200 000040
+[    0.000000] ACPI: APIC 0x000000007FFF0240 000054 (v02 VBOX   VBOXAPIC 00000001 ASL  00000061)
+[    0.000000] ACPI: SSDT 0x000000007FFF02A0 0001CC (v01 VBOX   VBOXCPUT 00000002 INTL 20100528)
+[    0.000000] No NUMA configuration found
+[    0.000000] Faking a node at [mem 0x0000000000000000-0x000000007ffeffff]
+[    0.000000] NODE_DATA(0) allocated [mem 0x7ffeb000-0x7ffeffff]
+[    0.000000] kvm-clock: Using msrs 4b564d01 and 4b564d00
+[    0.000000] kvm-clock: cpu 0, msr 0:7ffe3001, primary cpu clock
+[    0.000000] kvm-clock: using sched offset of 3405810368 cycles
+[    0.000000] clocksource: kvm-clock: mask: 0xffffffffffffffff max_cycles: 0x1cd42e4dffb, max_idle_ns: 881590591483 ns
+[    0.000000] Zone ranges:
+[    0.000000]   DMA      [mem 0x0000000000001000-0x0000000000ffffff]
+[    0.000000]   DMA32    [mem 0x0000000001000000-0x000000007ffeffff]
+[    0.000000]   Normal   empty
+[    0.000000]   Device   empty
+[    0.000000] Movable zone start for each node
+[    0.000000] Early memory node ranges
+[    0.000000]   node   0: [mem 0x0000000000001000-0x000000000009efff]
+[    0.000000]   node   0: [mem 0x0000000000100000-0x000000007ffeffff]
+[    0.000000] Initmem setup node 0 [mem 0x0000000000001000-0x000000007ffeffff]
+[    0.000000] ACPI: PM-Timer IO Port: 0x4008
+[    0.000000] IOAPIC[0]: apic_id 1, version 32, address 0xfec00000, GSI 0-23
+[    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] Using ACPI (MADT) for SMP configuration information
+[    0.000000] smpboot: Allowing 1 CPUs, 0 hotplug CPUs
+[    0.000000] PM: Registered nosave memory: [mem 0x00000000-0x00000fff]
+[    0.000000] PM: Registered nosave memory: [mem 0x0009f000-0x0009ffff]
+[    0.000000] PM: Registered nosave memory: [mem 0x000a0000-0x000effff]
+[    0.000000] PM: Registered nosave memory: [mem 0x000f0000-0x000fffff]
+[    0.000000] e820: [mem 0x80000000-0xfebfffff] available for PCI devices
+[    0.000000] Booting paravirtualized kernel on KVM
+[    0.000000] clocksource: refined-jiffies: mask: 0xffffffff max_cycles: 0xffffffff, max_idle_ns: 7645519600211568 ns
+[    0.000000] setup_percpu: NR_CPUS:512 nr_cpumask_bits:512 nr_cpu_ids:1 nr_node_ids:1
+[    0.000000] PERCPU: Embedded 34 pages/cpu @ffff88007fc00000 s98328 r8192 d32744 u2097152
+[    0.000000] PV qspinlock hash table entries: 256 (order: 0, 4096 bytes)
+[    0.000000] Built 1 zonelists in Node order, mobility grouping on.  Total pages: 515961
+[    0.000000] Policy zone: DMA32
+[    0.000000] Kernel command line: BOOT_IMAGE=/boot/vmlinuz-4.4.0-98-generic root=LABEL=cloudimg-rootfs ro console=tty1 console=ttyS0
+[    0.000000] PID hash table entries: 4096 (order: 3, 32768 bytes)
+[    0.000000] Memory: 2034056K/2096696K available (8484K kernel code, 1294K rwdata, 3988K rodata, 1492K init, 1316K bss, 62640K reserved, 0K cma-reserved)
+[    0.000000] SLUB: HWalign=64, Order=0-3, MinObjects=0, CPUs=1, Nodes=1
+[    0.000000] Hierarchical RCU implementation.
+[    0.000000] 	Build-time adjustment of leaf fanout to 64.
+[    0.000000] 	RCU restricting CPUs from NR_CPUS=512 to nr_cpu_ids=1.
+[    0.000000] RCU: Adjusting geometry for rcu_fanout_leaf=64, nr_cpu_ids=1
+[    0.000000] NR_IRQS:33024 nr_irqs:256 16
+[    0.000000] Console: colour VGA+ 80x25
+[    0.000000] console [tty1] enabled
+[    0.000000] console [ttyS0] enabled
+[    0.000000] tsc: Detected 2693.760 MHz processor
+[    0.494244] Calibrating delay loop (skipped) preset value.. 5387.52 BogoMIPS (lpj=10775040)
+[    0.498784] pid_max: default: 32768 minimum: 301
+[    0.502598] ACPI: Core revision 20150930
+[    0.504318] ACPI: 2 ACPI AML tables successfully acquired and loaded
+[    0.510071] Security Framework initialized
+[    0.514773] Yama: becoming mindful.
+[    0.515407] AppArmor: AppArmor initialized
+[    0.523267] Dentry cache hash table entries: 262144 (order: 9, 2097152 bytes)
+[    0.574198] Inode-cache hash table entries: 131072 (order: 8, 1048576 bytes)
+[    0.609933] Mount-cache hash table entries: 4096 (order: 3, 32768 bytes)
+[    0.621732] Mountpoint-cache hash table entries: 4096 (order: 3, 32768 bytes)
+[    0.643707] Initializing cgroup subsys io
+[    0.644399] Initializing cgroup subsys memory
+[    0.657504] Initializing cgroup subsys devices
+[    0.659472] Initializing cgroup subsys freezer
+[    0.660207] Initializing cgroup subsys net_cls
+[    0.660945] Initializing cgroup subsys perf_event
+[    0.661703] Initializing cgroup subsys net_prio
+[    0.663656] Initializing cgroup subsys hugetlb
+[    0.664385] Initializing cgroup subsys pids
+[    0.665172] CPU: Physical Processor ID: 0
+[    0.666812] mce: CPU supports 0 MCE banks
+[    0.670142] process: using mwait in idle threads
+[    0.679084] Last level iTLB entries: 4KB 1024, 2MB 1024, 4MB 1024
+[    0.680016] Last level dTLB entries: 4KB 1024, 2MB 1024, 4MB 1024, 1GB 4
+[    0.694999] Freeing SMP alternatives memory: 32K
+[    0.733929] ftrace: allocating 32154 entries in 126 pages
+[    0.779978] smpboot: APIC(0) Converting physical 0 to logical package 0
+[    0.863130] smpboot: Max logical packages: 1
+[    0.964479] x2apic enabled
+[    0.975116] Switched APIC routing to physical x2apic.
+[    1.004902] ..TIMER: vector=0x30 apic1=0 pin1=2 apic2=-1 pin2=-1
+[    1.162641] APIC calibration not consistent with PM-Timer: 101ms instead of 100ms
+[    1.179445] APIC delta adjusted to PM-Timer: 6248954 (6314752)
+[    1.186654] smpboot: CPU0: Intel(R) Core(TM) i7-4600U CPU @ 2.10GHz (family: 0x6, model: 0x45, stepping: 0x1)
+[    1.203662] Performance Events: unsupported p6 CPU model 69 no PMU driver, software events only.
+[    1.226663] KVM setup paravirtual spinlock
+[    1.231339] x86: Booted up 1 node, 1 CPUs
+[    1.233337] smpboot: Total of 1 processors activated (5387.52 BogoMIPS)
+[    1.238857] devtmpfs: initialized
+[    1.252438] evm: security.selinux
+[    1.257764] evm: security.SMACK64
+[    1.260100] evm: security.SMACK64EXEC
+[    1.262067] evm: security.SMACK64TRANSMUTE
+[    1.264085] evm: security.SMACK64MMAP
+[    1.270710] evm: security.ima
+[    1.271503] evm: security.capability
+[    1.277593] clocksource: jiffies: mask: 0xffffffff max_cycles: 0xffffffff, max_idle_ns: 7645041785100000 ns
+[    1.280721] futex hash table entries: 256 (order: 2, 16384 bytes)
+[    1.287075] pinctrl core: initialized pinctrl subsystem
+[    1.293181] RTC time: 16:13:53, date: 01/05/18
+[    1.295141] NET: Registered protocol family 16
+[    1.296019] cpuidle: using governor ladder
+[    1.296711] cpuidle: using governor menu
+[    1.297376] PCCT header not found.
+[    1.299905] ACPI: bus type PCI registered
+[    1.300592] acpiphp: ACPI Hot Plug PCI Controller Driver version: 0.5
+[    1.301642] PCI: Using configuration type 1 for base access
+[    1.306175] ACPI: Added _OSI(Module Device)
+[    1.308833] ACPI: Added _OSI(Processor Device)
+[    1.309563] ACPI: Added _OSI(3.0 _SCP Extensions)
+[    1.310335] ACPI: Added _OSI(Processor Aggregator Device)
+[    1.315519] ACPI: Executed 1 blocks of module-level executable AML code
+[    1.320494] ACPI: Interpreter enabled
+[    1.327400] ACPI: (supports S0 S5)
+[    1.329163] ACPI: Using IOAPIC for interrupt routing
+[    1.330089] PCI: Using host bridge windows from ACPI; if necessary, use "pci=nocrs" and report a bug
+[    1.334344] ACPI: PCI Root Bridge [PCI0] (domain 0000 [bus 00-ff])
+[    1.337184] acpi PNP0A03:00: _OSC: OS supports [ASPM ClockPM Segments MSI]
+[    1.341713] acpi PNP0A03:00: _OSC: not requesting OS control; OS requires [ExtendedConfig ASPM ClockPM MSI]
+[    1.347957] acpi PNP0A03:00: fail to add MMCONFIG information, can't access extended PCI configuration space under this bridge.
+[    1.358394] PCI host bridge to bus 0000:00
+[    1.359087] pci_bus 0000:00: root bus resource [io  0x0000-0x0cf7 window]
+[    1.363046] pci_bus 0000:00: root bus resource [io  0x0d00-0xffff window]
+[    1.367809] pci_bus 0000:00: root bus resource [mem 0x000a0000-0x000bffff window]
+[    1.369064] pci_bus 0000:00: root bus resource [mem 0x80000000-0xffdfffff window]
+[    1.375739] pci_bus 0000:00: root bus resource [bus 00-ff]
+[    1.380063] pci 0000:00:01.1: legacy IDE quirk: reg 0x10: [io  0x01f0-0x01f7]
+[    1.381099] pci 0000:00:01.1: legacy IDE quirk: reg 0x14: [io  0x03f6]
+[    1.385587] pci 0000:00:01.1: legacy IDE quirk: reg 0x18: [io  0x0170-0x0177]
+[    1.390118] pci 0000:00:01.1: legacy IDE quirk: reg 0x1c: [io  0x0376]
+[    1.423192] pci 0000:00:07.0: quirk: [io  0x4000-0x403f] claimed by PIIX4 ACPI
+[    1.504419] pci 0000:00:07.0: quirk: [io  0x4100-0x410f] claimed by PIIX4 SMB
+[    1.568792] ACPI: PCI Interrupt Link [LNKA] (IRQs 5 9 10 *11)
+[    1.608020] ACPI: PCI Interrupt Link [LNKB] (IRQs 5 9 10 *11)
+[    1.634324] ACPI: PCI Interrupt Link [LNKC] (IRQs 5 9 *10 11)
+[    1.640037] ACPI: PCI Interrupt Link [LNKD] (IRQs 5 *9 10 11)
+[    1.641362] ACPI: Enabled 2 GPEs in block 00 to 07
+[    1.642398] vgaarb: setting as boot device: PCI:0000:00:02.0
+[    1.646513] vgaarb: device added: PCI:0000:00:02.0,decodes=io+mem,owns=io+mem,locks=none
+[    1.647866] vgaarb: loaded
+[    1.648405] vgaarb: bridge control possible 0000:00:02.0
+[    1.650701] SCSI subsystem initialized
+[    1.659917] ACPI: bus type USB registered
+[    1.691614] usbcore: registered new interface driver usbfs
+[    1.694468] usbcore: registered new interface driver hub
+[    1.697431] usbcore: registered new device driver usb
+[    1.698362] PCI: Using ACPI for IRQ routing
+[    1.699326] NetLabel: Initializing
+[    1.699951] NetLabel:  domain hash size = 128
+[    1.702363] NetLabel:  protocols = UNLABELED CIPSOv4
+[    1.725962] NetLabel:  unlabeled traffic allowed by default
+[    1.726923] amd_nb: Cannot enumerate AMD northbridges
+[    1.729743] clocksource: Switched to clocksource kvm-clock
+[    1.748824] AppArmor: AppArmor Filesystem Enabled
+[    1.787045] pnp: PnP ACPI init
+[    1.809799] pnp: PnP ACPI: found 3 devices
+[    1.815879] clocksource: acpi_pm: mask: 0xffffff max_cycles: 0xffffff, max_idle_ns: 2085701024 ns
+[    1.837990] NET: Registered protocol family 2
+[    1.856551] TCP established hash table entries: 16384 (order: 5, 131072 bytes)
+[    1.859418] TCP bind hash table entries: 16384 (order: 6, 262144 bytes)
+[    1.868178] TCP: Hash tables configured (established 16384 bind 16384)
+[    1.873152] UDP hash table entries: 1024 (order: 3, 32768 bytes)
+[    1.876278] UDP-Lite hash table entries: 1024 (order: 3, 32768 bytes)
+[    1.877457] NET: Registered protocol family 1
+[    1.878338] pci 0000:00:00.0: Limiting direct PCI/PCI transfers
+[    1.879429] pci 0000:00:01.0: Activating ISA DMA hang workarounds
+[    1.880627] Unpacking initramfs...
+[    4.554673] Freeing initrd memory: 10836K
+[    4.583615] RAPL PMU detected, API unit is 2^-32 Joules, 4 fixed counters 10737418240 ms ovfl timer
+[    4.587999] hw unit of domain pp0-core 2^-0 Joules
+[    4.592007] hw unit of domain package 2^-0 Joules
+[    4.600792] hw unit of domain dram 2^-0 Joules
+[    4.614895] hw unit of domain pp1-gpu 2^-0 Joules
+[    4.616120] platform rtc_cmos: registered platform RTC device (no PNP device found)
+[    4.625557] Scanning for low memory corruption every 60 seconds
+[    4.663947] audit: initializing netlink subsys (disabled)
+[    4.678675] audit: type=2000 audit(1515168841.362:1): initialized
+[    4.699945] Initialise system trusted keyring
+[    4.707459] HugeTLB registered 2 MB page size, pre-allocated 0 pages
+[    4.712274] zbud: loaded
+[    4.717418] VFS: Disk quotas dquot_6.6.0
+[    4.727405] VFS: Dquot-cache hash table entries: 512 (order 0, 4096 bytes)
+[    4.729285] squashfs: version 4.0 (2009/01/31) Phillip Lougher
+[    4.746371] fuse init (API version 7.23)
+[    4.750615] Key type big_key registered
+[    4.756013] Allocating IMA MOK and blacklist keyrings.
+[    4.757477] Key type asymmetric registered
+[    4.760093] Asymmetric key parser 'x509' registered
+[    4.764697] Block layer SCSI generic (bsg) driver version 0.4 loaded (major 249)
+[    4.774892] io scheduler noop registered
+[    4.775885] io scheduler deadline registered (default)
+[    4.785243] io scheduler cfq registered
+[    4.787583] pci_hotplug: PCI Hot Plug PCI Core version: 0.5
+[    4.790390] pciehp: PCI Express Hot Plug Controller Driver version: 0.4
+[    4.793144] ACPI: AC Adapter [AC] (on-line)
+[    4.797577] input: Power Button as /devices/LNXSYSTM:00/LNXPWRBN:00/input/input0
+[    4.799512] ACPI: Power Button [PWRF]
+[    4.803911] input: Sleep Button as /devices/LNXSYSTM:00/LNXSLPBN:00/input/input1
+[    4.811064] ACPI: Sleep Button [SLPF]
+[    4.816061] ACPI: Battery Slot [BAT0] (battery present)
+[    4.822228] GHES: HEST is not enabled!
+[    4.830069] Serial: 8250/16550 driver, 32 ports, IRQ sharing enabled
+[    4.870932] 00:02: ttyS0 at I/O 0x3f8 (irq = 4, base_baud = 115200) is a 16550A
+[    4.884823] Linux agpgart interface v0.103
+[    4.903559] loop: module loaded
+[    4.914996] scsi host0: ata_piix
+[    4.922473] scsi host1: ata_piix
+[    4.923381] ata1: PATA max UDMA/33 cmd 0x1f0 ctl 0x3f6 bmdma 0xd000 irq 14
+[    4.926760] ata2: PATA max UDMA/33 cmd 0x170 ctl 0x376 bmdma 0xd008 irq 15
+[    4.941635] libphy: Fixed MDIO Bus: probed
+[    4.947102] tun: Universal TUN/TAP device driver, 1.6
+[    4.964840] tun: (C) 1999-2004 Max Krasnyansky <maxk@qualcomm.com>
+[    4.967773] PPP generic driver version 2.4.2
+[    4.971834] ehci_hcd: USB 2.0 'Enhanced' Host Controller (EHCI) Driver
+[    4.990452] ehci-pci: EHCI PCI platform driver
+[    4.991625] ehci-platform: EHCI generic platform driver
+[    4.999333] ohci_hcd: USB 1.1 'Open' Host Controller (OHCI) Driver
+[    5.028855] ohci-pci: OHCI PCI platform driver
+[    5.038359] ohci-platform: OHCI generic platform driver
+[    5.044054] uhci_hcd: USB Universal Host Controller Interface driver
+[    5.050043] i8042: PNP: PS/2 Controller [PNP0303:PS2K,PNP0f03:PS2M] at 0x60,0x64 irq 1,12
+[    5.069853] serio: i8042 KBD port at 0x60,0x64 irq 1
+[    5.072974] serio: i8042 AUX port at 0x60,0x64 irq 12
+[    5.078356] mousedev: PS/2 mouse device common for all mice
+[    5.090345] input: AT Translated Set 2 keyboard as /devices/platform/i8042/serio0/input/input2
+[    5.098935] rtc_cmos rtc_cmos: rtc core: registered rtc_cmos as rtc0
+[    5.108384] rtc_cmos rtc_cmos: alarms up to one day, 114 bytes nvram
+[    5.111234] i2c /dev entries driver
+[    5.112265] device-mapper: uevent: version 1.0.3
+[    5.124019] device-mapper: ioctl: 4.34.0-ioctl (2015-10-28) initialised: dm-devel@redhat.com
+[    5.130853] ledtrig-cpu: registered to indicate activity on CPUs
+[    5.135780] NET: Registered protocol family 10
+[    5.144249] NET: Registered protocol family 17
+[    5.146948] Key type dns_resolver registered
+[    5.149465] microcode: CPU0 sig=0x40651, pf=0x40, revision=0x0
+[    5.150911] microcode: Microcode Update Driver: v2.01 <tigran@aivazian.fsnet.co.uk>, Peter Oruba
+[    5.155915] registered taskstats version 1
+[    5.156952] Loading compiled-in X.509 certificates
+[    5.159059] Loaded X.509 cert 'Build time autogenerated kernel key: 7431eaeda5a51458aeb00f8de0f18f89e178d882'
+[    5.178945] zswap: loaded using pool lzo/zbud
+[    5.184498] Key type trusted registered
+[    5.195240] Key type encrypted registered
+[    5.203650] AppArmor: AppArmor sha1 policy hashing enabled
+[    5.227584] ima: No TPM chip found, activating TPM-bypass!
+[    5.228863] evm: HMAC attrs: 0x1
+[    5.230070]   Magic number: 2:209:236
+[    5.232575] rtc_cmos rtc_cmos: hash matches
+[    5.240314] rtc_cmos rtc_cmos: setting system clock to 2018-01-05 16:13:57 UTC (1515168837)
+[    5.243930] BIOS EDD facility v0.16 2004-Jun-25, 0 devices found
+[    5.245273] EDD information not available.
+[    5.257035] Freeing unused kernel memory: 1492K
+[    5.264822] Write protecting the kernel read-only data: 14336k
+[    5.267084] Freeing unused kernel memory: 1744K
+[    5.285834] Freeing unused kernel memory: 108K
+Loading, please wait...
+starting version[    5.302761] random: udevadm: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+ 229
+[    5.312041] random: systemd-udevd: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.328888] random: udevadm: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.340831] random: systemd-udevd: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.350070] random: systemd-udevd: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.378728] random: udevadm: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.392327] random: systemd-udevd: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.404648] random: udevadm: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.409836] random: udevadm: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.422705] random: systemd-udevd: uninitialized urandom read (16 bytes read, 2 bits of entropy available)
+[    5.508506] e1000: Intel(R) PRO/1000 Network Driver - version 7.3.21-k8-NAPI
+[    5.522306] e1000: Copyright (c) 1999-2006 Intel Corporation.
+[    5.535939] Fusion MPT base driver 3.04.20
+[    5.556245] Copyright (c) 1999-2008 LSI Corporation
+[    5.613961] tsc: Refined TSC clocksource calibration: 2694.310 MHz
+[    5.615933] clocksource: tsc: mask: 0xffffffffffffffff max_cycles: 0x26d63f842ac, max_idle_ns: 440795296712 ns
+[    5.645199] AVX version of gcm_enc/dec engaged.
+[    5.655495] AES CTR mode by8 optimization enabled
+[    5.694053] Fusion MPT SPI Host driver 3.04.20
+[    5.800000] input: ImExPS/2 Generic Explorer Mouse as /devices/platform/i8042/serio1/input/input4
+[    6.090852] e1000 0000:00:03.0 eth0: (PCI:33MHz:32-bit) 02:0a:1a:84:64:1f
+[    6.110781] e1000 0000:00:03.0 eth0: Intel(R) PRO/1000 Network Connection
+[    6.125413] e1000 0000:00:03.0 enp0s3: renamed from eth0
+[    6.139246] mptbase: ioc0: Initiating bringup
+[    6.218269] ioc0: LSI53C1030 A0: Capabilities={Initiator}
+[    6.403150] scsi host2: ioc0: LSI53C1030 A0, FwRev=00000000h, Ports=1, MaxQ=256, IRQ=20
+[    6.538902] scsi 2:0:0:0: Direct-Access     VBOX     HARDDISK         1.0  PQ: 0 ANSI: 5
+[    6.554967] scsi target2:0:0: Beginning Domain Validation
+[    6.569097] scsi target2:0:0: Domain Validation skipping write tests
+[    6.589181] scsi target2:0:0: Ending Domain Validation
+[    6.597651] scsi target2:0:0: asynchronous
+[    6.606321] scsi 2:0:1:0: Direct-Access     VBOX     HARDDISK         1.0  PQ: 0 ANSI: 5
+[    6.622709] scsi target2:0:1: Beginning Domain Validation
+[    6.624682] scsi target2:0:1: Domain Validation skipping write tests
+[    6.626000] scsi target2:0:1: Ending Domain Validation
+[    6.627242] scsi target2:0:1: asynchronous
+[    6.635032] sd 2:0:0:0: Attached scsi generic sg0 type 0
+[    6.641328] sd 2:0:0:0: [sda] 20971520 512-byte logical blocks: (10.7 GB/10.0 GiB)
+[    6.651849] sd 2:0:1:0: [sdb] 20480 512-byte logical blocks: (10.5 MB/10.0 MiB)
+[    6.673513] sd 2:0:1:0: Attached scsi generic sg1 type 0
+[    6.676372] sd 2:0:0:0: [sda] Write Protect is off
+[    6.691842] sd 2:0:1:0: [sdb] Write Protect is off
+[    6.709704] sd 2:0:0:0: [sda] Incomplete mode parameter data
+[    6.721313] sd 2:0:0:0: [sda] Assuming drive cache: write through
+[    6.728759] sd 2:0:1:0: [sdb] Incomplete mode parameter data
+[    6.736396] sd 2:0:1:0: [sdb] Assuming drive cache: write through
+[    6.748334]  sda: sda1
+[    6.760527] sd 2:0:0:0: [sda] Attached SCSI disk
+[    6.771684] sd 2:0:1:0: [sdb] Attached SCSI disk
+[    8.626266] floppy0: no floppy controllers found
+Begin: Loading e[   10.019133] md: linear personality registered for level -1
+ssential drivers ... [   10.043445] md: multipath personality registered for level -4
+[   10.057136] md: raid0 personality registered for level 0
+[   10.076308] md: raid1 personality registered for level 1
+[   10.158252] raid6: sse2x1   gen()  5875 MB/s
+[   10.233900] raid6: sse2x1   xor()  4786 MB/s
+[   10.314057] raid6: sse2x2   gen()  7989 MB/s
+[   10.386193] raid6: sse2x2   xor()  5354 MB/s
+[   10.462232] raid6: sse2x4   gen()  8185 MB/s
+[   10.537881] raid6: sse2x4   xor()  5928 MB/s
+[   10.551918] raid6: using algorithm sse2x4 gen() 8185 MB/s
+[   10.560765] raid6: .... xor() 5928 MB/s, rmw enabled
+[   10.578265] raid6: using ssse3x2 recovery algorithm
+[   10.587324] xor: automatically using best checksumming function:
+[   10.641860]    avx       : 18427.000 MB/sec
+[   10.655968] async_tx: api initialized (async)
+[   10.683716] md: raid6 personality registered for level 6
+[   10.694983] md: raid5 personality registered for level 5
+[   10.701904] md: raid4 personality registered for level 4
+[   10.718385] md: raid10 personality registered for level 10
+done.
+Begin: Running /scripts/init-premount ... done.
+Begin: Mounting root file system ... Begin: Running /scripts/local-top ... done.
+Begin: Running /scripts/local-premount ... [   10.766143] Btrfs loaded
+Scanning for Btrfs filesystems
+done.
+Warning: fsck not present, so skipping root file system
+[   10.865714] EXT4-fs (sda1): mounted filesystem with ordered data mode. Opts: (null)
+done.
+Begin: Running /scripts/local-bottom ... done.
+Begin: Running /scripts/init-bottom ... done.
+[   11.834665] systemd[1]: systemd 229 running in system mode. (+PAM +AUDIT +SELINUX +IMA +APPARMOR +SMACK +SYSVINIT +UTMP +LIBCRYPTSETUP +GCRYPT +GNUTLS +ACL +XZ -LZ4 +SECCOMP +BLKID +ELFUTILS +KMOD -IDN)
+[   11.949185] systemd[1]: Detected virtualization oracle.
+[   11.950029] systemd[1]: Detected architecture x86-64.
+[   12.010823] random: nonblocking pool is initialized
+
+Welcome to Ubuntu 16.04.3 LTS!
+
+[   12.337008] systemd[1]: Set hostname to <ubuntu>.
+[   12.436322] systemd[1]: Initializing machine ID from random generator.
+[   12.479953] systemd[1]: Installed transient /etc/machine-id file.
+[   14.042559] systemd[1]: Created slice User and Session Slice.
+[  OK  ] Created slice User and Session Slice.
+[   14.118524] systemd[1]: Listening on udev Kernel Socket.
+[  OK  ] Listening on udev Kernel Socket.
+[   14.259175] systemd[1]: Listening on Device-mapper event daemon FIFOs.
+[  OK  ] Listening on Device-mapper event daemon FIFOs.
+[   14.347053] systemd[1]: Created slice System Slice.
+[  OK  ] Created slice System Slice.
+[   14.455007] systemd[1]: Reached target Slices.
+[  OK  ] Reached target Slices.
+[   14.524421] systemd[1]: Listening on Journal Socket.
+[  OK  ] Listening on Journal Socket.
+[   14.575708] systemd[1]: Starting Create list of required static device nodes for the current kernel...
+         Starting Create list of required st... nodes for the current kernel...
+[   14.617453] systemd[1]: Starting Set console keymap...
+         Starting Set console keymap...
+[   14.820448] systemd[1]: Starting Load Kernel Modules...
+         Starting Load Kernel Modules...
+[   14.960878] systemd[1]: Mounting Huge Pages File System...
+         Mounting Huge Pages File System...
+[   15.052620] systemd[1]: Starting Uncomplicated firewall...
+         Starting Uncomplicated firewall...
+[   15.134220] systemd[1]: Listening on udev Control Socket.
+[  OK  ] Listening on udev Control Socket.
+[   15.302431] systemd[1]: Listening on LVM2 metadata daemon socket.
+[  OK  ] Listening on LVM2 metadata daemon socket.
+[   15.427322] systemd[1]: Starting Remount Root and Kernel File Systems...
+[   15.510568] Loading iSCSI transport class v2.0-870.
+         Starting Remount Root and Kernel File Systems...
+[   15.631545] systemd[1]: Created slice system-serial\x2dgetty.slice.
+[  OK  ] Created slice system-serial\x2dgetty.slice.
+[   15.676991] systemd[1]: Listening on Syslog Socket.
+[  OK  ] Listening on Syslog Socket.
+[   15.703157] systemd[1]: Mounting POSIX Message Queue File System...
+[   15.714120] EXT4-fs (sda1): re-mounted. Opts: (null)
+         [   15.727986] iscsi: registered transport (tcp)
+Mounting POSIX Message Queue File System...
+[   15.782785] systemd[1]: Mounting Debug File System...
+         Mounting Debug File System...
+[   15.818910] systemd[1]: Reached target Encrypted Volumes.
+[  OK  ] Reached targe[   15.879564] iscsi: registered transport (iser)
+t Encrypted Volumes.
+[   16.010932] systemd[1]: Listening on Journal Audit Socket.
+[  OK  ] Listening on Journal Audit Socket.
+[   16.086878] systemd[1]: Set up automount Arbitrary Executable File Formats File System Automount Point.
+[  OK  ] Set up automount Arbitrary Executab...ats File System Automount Point.
+[   16.342330] systemd[1]: Started Forward Password Requests to Wall Directory Watch.
+[  OK  ] Started Forward Password Requests to Wall Directory Watch.
+[   16.490513] systemd[1]: Reached target User and Group Name Lookups.
+[  OK  ] Reached target User and Group Name Lookups.
+[   16.618972] systemd[1]: Started Trigger resolvconf update for networkd DNS.
+[  OK  ] Started Trigger resolvconf update for networkd DNS.
+[   16.674018] systemd[1]: Reached target Swap.
+[  OK  ] Reached target Swap.
+[   16.741494] systemd[1]: Starting Nameserver information manager...
+         Starting Nameserver information manager...
+[   16.804642] systemd[1]: Starting Monitoring of LVM2 mirrors, snapshots etc. using dmeventd or progress polling...
+         Starting Monitoring of LVM2 mirrors... dmeventd or progress polling...
+[   16.838648] systemd[1]: Listening on LVM2 poll daemon socket.
+[  OK  ] Listening on LVM2 poll daemon socket.
+[   16.878340] systemd[1]: Listening on Journal Socket (/dev/log).
+[  OK  ] Listening on Journal Socket (/dev/log).
+[   16.930947] systemd[1]: Starting Journal Service...
+         Starting Journal Service...
+[   16.986021] systemd[1]: Listening on /dev/initctl Compatibility Named Pipe.
+[  OK  ] Listening on /dev/initctl Compatibility Named Pipe.
+[   17.132177] systemd[1]: Mounted Debug File System.
+[  OK  ] Mounted Debug File System.
+[   17.215012] systemd[1]: Mounted Huge Pages File System.
+[  OK  ] Mounted Huge Pages File System.
+[   17.318815] systemd[1]: Mounted POSIX Message Queue File System.
+[  OK  ] Mounted POSIX Message Queue File System.
+[   17.471996] systemd[1]: Started Create list of required static device nodes for the current kernel.
+[  OK  ] Started Create list of required sta...ce nodes for the current kernel.
+[   17.627179] systemd[1]: Started Set console keymap.
+[  OK  ] Started Set console keymap.
+[   17.651319] systemd[1]: Started Load Kernel Modules.
+[  OK  ] Started Load Kernel Modules.
+[   17.768572] systemd[1]: Started Uncomplicated firewall.
+[  OK  ] Started Uncomplicated firewall.
+[   17.852533] systemd[1]: Started Remount Root and Kernel File Systems.
+[  OK  ] Started Remount Root and Kernel File Systems.
+[   17.931246] systemd[1]: Started Journal Service.
+[  OK  ] Started Journal Service.
+[  OK  ] Started LVM2 metadata daemon.
+         Starting Initial cloud-init job (pre-networking)...
+         Starting udev Coldplug all Devices...
+         Starting Flush Journal to Persistent Storage...
+         Starting Load/Save Random Seed...
+         Starting Apply Kernel Variables...
+         Mounting FUSE Control File System...
+         Starting Create Static Device Nodes in /dev...
+[  OK  ] Mounted FUSE Control File System.
+[  OK  ] Started Nameserver information manager.
+[  OK  ] Started Load/Save Random Seed.
+[  OK  ] Started udev Coldplug all Devices.
+[   18.385508] systemd-journald[411]: Received request to flush runtime journal from PID 1
+[  OK  ] Started Monitoring of LVM2 mirrors,...ng dmeventd or progress polling.
+[  OK  ] Started Flush Journal to Persistent Storage.
+[  OK  ] Started Apply Kernel Variables.
+[  OK  ] Started Create Static Device Nodes in /dev.
+         Starting udev Kernel Device Manager...
+[  OK  ] Started udev Kernel Device Manager.
+[  OK  ] Started Dispatch Password Requests to Console Directory Watch.
+[  OK  ] Reached target Local File Systems (Pre).
+[  OK  ] Reached target Local File Systems.
+         Starting Set console font and keymap...
+         Starting Create Volatile Files and Directories...
+         Starting Commit a transient machine-id on disk...
+         Starting LSB: AppArmor initialization...
+         Starting Tell Plymouth To Write Out Runtime Data...
+[  OK  ] Started Create Volatile Files and Directories.
+[  OK  ] Started Commit a transient machine-id on disk.
+[  OK  ] Started Tell Plymouth To Write Out Runtime Data.
+[  OK  ] Found device /dev/ttyS0.
+[  OK  ] Reached target System Time Synchronized.
+         Starting Update UTMP about System Boot/Shutdown...
+[  OK  ] Started Update UTMP about System Boot/Shutdown.
+[  OK  ] Started Set console font and keymap.
+[  OK  ] Created slice system-getty.slice.
+[  OK  ] Listening on Load/Save RF Kill Switch Status /dev/rfkill Watch.
+[  OK  ] Started LSB: AppArmor initialization.
+[   25.589709] cloud-init[421]: Cloud-init v. 0.7.9 running 'init-local' at Fri, 05 Jan 2018 16:14:17 +0000. Up 24.29 seconds.
+[  OK  ] Started Initial cloud-init job (pre-networking).
+[  OK  ] Reached target Network (Pre).
+         Starting Raise network interfaces...
+[  OK  ] Started Raise network interfaces.
+[  OK  ] Reached target Network.
+         Starting Initial cloud-init job (metadata service crawler)...
+[   28.882271] cloud-init[941]: Cloud-init v. 0.7.9 running 'init' at Fri, 05 Jan 2018 16:14:20 +0000. Up 26.38 seconds.
+[   28.908681] cloud-init[941]: ci-info: +++++++++++++++++++++++++++++++++++++Net device info+++++++++++++++++++++++++++++++++++++
+[   28.918584] cloud-init[941]: ci-info: +--------+------+---------------------------+---------------+-------+-------------------+
+[   28.928871] cloud-init[941]: ci-info: | Device |  Up  |          Address          |      Mask     | Scope |     Hw-Address    |
+[   28.932255] cloud-init[941]: ci-info: +--------+------+---------------------------+---------------+-------+-------------------+
+[   28.944354] cloud-init[941]: ci-info: | enp0s3 | True |         10.0.2.15         | 255.255.255.0 |   .   | 02:0a:1a:84:64:1f |
+[   28.963718] [  OK  ] Started Initial cloud-init job (metadata service crawler).
+[  OK  ] Reached target Cloud-config availability.
+[  OK  ] Reached target System Initialization.
+[  OK  ] Listening on UUID daemon activation socket.
+         Starting Socket activation for snappy daemon.
+[  OK  ] Started Daily Cleanup of Temporary Directories.
+cloud-init[941]: ci-info: | enp0s3 | True | fe80::a:1aff:fe84:641f/64 |       .       |  link | 02:0a:1a:84:64:1f |
+[   29.080946] cloud-init[941]: ci-info: |   lo   | True |         127.0.0.1         |   255.0.0.0   |   .   |         .         |
+[   29.109025] cloud-init[941]: ci-info: |   lo   | True |          ::1/128          |       .       |  host |         .         |
+[   29.144092] cloud-init[941]: ci-info: +--------+------+---------------------------+---------------+-------+-------------------+
+[   29.168152] cloud-init[941]: ci-info: +++++++++++++++++++++++++++Route IPv4 info++++++++++++++++++++++++++++
+[   29.168416] cloud-init[941]: ci-info: +-------+-------------+----------+---------------+-----------+-------+
+[   29.168448] cloud-init[941]: ci-info: | Route | Destination | Gateway  |    Genmask    | Interface | Flags |
+[   29.168485] cloud-init[941]: ci-info: +-------+-------------+----------+---------------+-----------+-------+
+[   29.168513] cloud-init[941]: ci-info: |   0   |   0.0.0.0   | 10.0.2.2 |    0.0.0.0    |   enp0s3  |   UG  |
+[   29.168539] cloud-init[941]: ci-info: |   1   |   10.0.2.0  | 0.0.0.0  | 255.255.255.0 |   enp0s3  |   U   |
+[   29.168565] cloud-init[941]: ci-info: +-------+-------------+----------+---------------+-----------+-------+
+[   29.168630] cloud-init[941]: Generating public/private rsa key pair.
+[   29.168662] cloud-init[941]: Your identification has been saved in /etc/ssh/ssh_host_rsa_key.
+[   29.168689] cloud-init[941]: Your public key has been saved in /etc/ssh/ssh_host_rsa_key.pub.
+[   29.168716] cloud-init[941]: The key fingerprint is:
+[   29.168742] cloud-init[941]: SHA256:1r0tdS1QR4ImshlrFZIvXDQqY0KWjyjXczKjivNyCRY root@ubuntu-xenial
+[   29.168768] cloud-init[941]: The key's randomart image is:
+[   29.168793] cloud-init[941]: +---[RSA 2048]----+
+[   29.168818] cloud-init[941]: |    o.  .o+. .o.o|
+[   29.168843] cloud-init[941]: |   o.   +o+.o. o |
+[   29.168868] cloud-init[941]: |   o.o+..X o.    |
+[   29.168892] cloud-init[941]: |.Eo BoooB... .  .|
+[   29.168916] cloud-init[941]: | o.. * .S.. . o o|
+[   29.168947] cloud-init[941]: |...    .     + o |
+[   29.168971] cloud-init[941]: |oo .        o .  |
+[   29.168996] cloud-init[941]: |= o          .   |
+[   29.169020] cloud-init[941]: | =.              |
+[   29.169045] cloud-init[941]: +----[SHA256]-----+
+[   29.169069] cloud-init[941]: Generating public/private dsa key pair.
+[   29.169132] cloud-init[941]: Your identification has been saved in /etc/ssh/ssh_host_dsa_key.
+[   29.169162] cloud-init[941]: Your public key has been saved in /etc/ssh/ssh_host_dsa_key.pub.
+[   29.169188] cloud-init[941]: The key fingerprint is:
+[   29.169212] cloud-init[941]: SHA256:WRvS7F0JtGJ0rwZqqCMqyx8FcAWQi/AKQ8o7jIA7S3A root@ubuntu-xenial
+[   29.169238] cloud-init[941]: The key's randomart image is:
+[   29.169265] cloud-init[941]: +---[DSA 1024]----+
+[   29.169290] cloud-init[941]: | oooo.    ..+    |
+[   29.169315] cloud-init[941]: |.oo      + . + . |
+[   29.169340] cloud-init[941]: |B...    . O . +  |
+[   29.169364] cloud-init[941]: |OoE .  . B * o   |
+[   29.169389] cloud-init[941]: |*=.  .. S o +    |
+[   29.169414] cloud-init[941]: |==  .. .   .     |
+[   29.169439] cloud-init[941]: |.oo.o            |
+[   29.169463] cloud-init[941]: |+. ...           |
+[   29.169489] cloud-init[941]: |+o..             |
+[   29.169514] cloud-init[941]: +----[SHA256]-----+
+[   29.169539] cloud-init[941]: Generating public/private ecdsa key pair.
+[   29.169564] cloud-init[941]: Your identification has been saved in /etc/ssh/ssh_host_ecdsa_key.
+[   29.169589] cloud-init[941]: Your public key has been saved in /etc/ssh/ssh_host_ecdsa_key.pub.
+[   29.169614] cloud-init[941]: The key fingerprint is:
+[   29.169638] cloud-init[941]: SHA256:1nBvcAexaclqSG7J3p4OcuHXE+nUv+DKdu9azfAiHsY root@ubuntu-xenial
+[   29.169663] cloud-init[941]: The key's randomart image is:
+[   29.169688] cloud-init[941]: +---[ECDSA 256]---+
+[   29.169712] cloud-init[941]: |            o.   |
+[   29.169736] cloud-init[941]: |           . =   |
+[   29.169761] cloud-init[941]: |        o o B .  |
+[   29.169787] cloud-init[941]: |       + * * +   |
+[   29.169812] cloud-init[941]: |        S + * o  |
+[   29.169837] cloud-init[941]: |       = + * . =.|
+[   29.169862] cloud-init[941]: |      . = o E...=|
+[   29.169887] cloud-init[941]: |       o +.=.=o..|
+[   29.169911] cloud-init[941]: |         .=o+o++ |
+[   29.169935] cloud-init[941]: +----[SHA256]-----+
+[   29.169960] cloud-init[941]: Generating public/private ed25519 key pair.
+[   29.169984] [  OK  ] Started Timer to automatically refresh installed snaps.
+[  OK  ] Listening on ACPID Listen Socket.
+[  OK  ] Listening on D-Bus System Message Bus Socket.
+cloud-init[941]: Your identification has been saved in /etc/ssh/ssh_host_ed25519_key.
+         Starting LXD - unix socket.
+[  OK  ] Started Timer to automatically fetch and run repair assertions.
+[   29.901211] cloud-init[941]: Your public key has been saved in /etc/ssh/ssh_host_ed25519_key.pub.
+[   29.961888] cloud-init[941]: The key fingerprint is:
+[  OK  [   29.980151] cloud-init[941]: SHA256:WevfbOxyoj5EQcQlZZgjb837ryf2xnCYO0X+hlTQCdo root@ubuntu-xenial
+[   29.980196] cloud-init[941]: The key's randomart image is:
+[   29.980226] cloud-init[941]: +--[ED25519 256]--+
+[   29.980253] cloud-init[941]: |         ++=+....|
+[   29.980280] cloud-init[941]: |        . *oo ...|
+[   29.980307] cloud-init[941]: |         o.* E . |
+[   29.980334] cloud-init[941]: |         o+.o   o|
+[   29.980360] cloud-init[941]: |        So.  . * |
+[   29.980385] cloud-init[941]: |         .. . = +|
+[   29.980411] cloud-init[941]: |         ..  + B.|
+[   29.980436] cloud-init[941]: |          ..oo@ *|
+[   29.980639] cloud-init[941]: |         .oo.B=Xo|
+[   29.980673] cloud-init[941]: +----[SHA256]-----+
+] Started ACPI Events Check.
+[  OK  ] Reached target Paths.
+[  OK  ] Reached target Network is Online.
+         Starting iSCSI initiator daemon (iscsid)...
+[  OK  ] Started Daily apt download activities.
+[  OK  ] Started Daily apt upgrade and clean activities.
+[  OK  ] Reached target Timers.
+[  OK  ] Listening on Socket activation for snappy daemon.
+[  OK  ] Listening on LXD - unix socket.
+[  OK  ] Reached target Sockets.
+[  OK  ] Reached target Basic System.
+[  OK  ] Started ACPI event daemon.
+         Starting Login Service...
+         Starting Pollinate to seed the pseudo random number generator...
+[  OK  ] Started Deferred execution scheduler.
+         Starting LSB: Record successful boot for GRUB...
+[  OK  ] Started Unattended Upgrades Shutdown.
+         Starting /etc/rc.local Compatibility...
+         Starting Accounts Service...
+[  OK  ] Started FUSE filesystem for LXC.
+[  OK  ] Started D-Bus System Message Bus.
+         Starting System Logging Service...
+         Starting LSB: MD monitoring daemon...
+         Starting Snappy daemon...
+         Starting Apply the settings specified in cloud-config...
+         Starting LXD - container startup/shutdown...
+[  OK  ] Started Regular background program processing daemon.
+[  OK  ] Started /etc/rc.local Compatibility.
+[  OK  ] Started Login Service.
+[  OK  ] Started iSCSI initiator daemon (iscsid).
+         Starting Login to default iSCSI targets...
+         Starting Authenticate and Authorize Users to Run Privileged Tasks...
+[  OK  ] Started LSB: Record successful boot for GRUB.
+[  OK  ] Started LSB: MD monitoring daemon.
+[  OK  ] Started System Logging Service.
+[  OK  ] Started Authenticate and Authorize Users to Run Privileged Tasks.
+[  OK  ] Started Accounts Service.
+[  OK  ] Started Login to default iSCSI targets.
+[  OK  ] Reached target Remote File Systems (Pre).
+[  OK  ] Reached target Remote File Systems.
+         Starting LSB: daemon to balance interrupts for SMP systems...
+         Starting LSB: automatic crash report generation...
+         Starting Permit User Sessions...
+         Starting LSB: VirtualBox Linux Additions...
+         Starting LSB: Set the CPU Frequency Scaling governor to "ondemand"...
+[  OK  ] Started Permit User Sessions.
+[  OK  ] Started LSB: Set the CPU Frequency Scaling governor to "ondemand".
+         Starting Terminate Plymouth Boot Screen...
+         Starting Hold until boot process finishes up...
+[  OK  ] Started Terminate Plymouth Boot Screen.
+[  OK  ] Started Hold until boot process finishes up.
+         Starting Set console scheme...
+[  OK  ] Started Getty on tty1.
+[  OK  ] Started Serial Getty on ttyS0.
+[  OK  ] Reached target Login Prompts.
+[  OK  ] Started LSB: automatic crash report generation.
+[  OK  ] Started LSB: daemon to balance interrupts for SMP systems.
+[   32.970545] cloud-init[1120]: Generating locales (this might take a while)...
+[  OK  ] Started Set console scheme.
+[  OK  ] Started LSB: VirtualBox Linux Additions.
+[  OK  ] Started Pollinate to seed the pseudo random number generator.
+         Starting OpenBSD Secure Shell server...
+[  OK  ] Started OpenBSD Secure Shell server.
+[  OK  ] Started Snappy daemon.
+         Starting Auto import assertions from block devices...
+[  OK  ] Started Auto import assertions from block devices.
+[   35.773883] cloud-init[1120]:   en_US.UTF-8... done
+[   35.792849] cloud-init[1120]: Generation complete.
+[  OK  ] Started LXD - container startup/shutdown.
+[  OK  ] Reached target Multi-User System.
+[  OK  ] Reached target Graphical Interface.
+         Starting Update UTMP about System Runlevel Changes...
+[  OK  ] Started Update UTMP about System Runlevel Changes.
+         Stopping OpenBSD Secure Shell server...
+[  OK  ] Stopped OpenBSD Secure Shell server.
+         Starting OpenBSD Secure Shell server...
+[  OK  ] Started OpenBSD Secure Shell server.
+[   37.934670] cloud-init[1120]: Cloud-init v. 0.7.9 running 'modules:config' at Fri, 05 Jan 2018 16:14:25 +0000. Up 31.82 seconds.
+ci-info: no authorized ssh keys fingerprints found for user ubuntu.
+<14>Jan  5 16:14:32 ec2: 
+<14>Jan  5 16:14:32 ec2: #############################################################
+<14>Jan  5 16:14:32 ec2: -----BEGIN SSH HOST KEY FINGERPRINTS-----
+<14>Jan  5 16:14:32 ec2: 1024 SHA256:WRvS7F0JtGJ0rwZqqCMqyx8FcAWQi/AKQ8o7jIA7S3A root@ubuntu-xenial (DSA)
+<14>Jan  5 16:14:32 ec2: 256 SHA256:1nBvcAexaclqSG7J3p4OcuHXE+nUv+DKdu9azfAiHsY root@ubuntu-xenial (ECDSA)
+<14>Jan  5 16:14:32 ec2: 256 SHA256:WevfbOxyoj5EQcQlZZgjb837ryf2xnCYO0X+hlTQCdo root@ubuntu-xenial (ED25519)
+<14>Jan  5 16:14:32 ec2: 2048 SHA256:1r0tdS1QR4ImshlrFZIvXDQqY0KWjyjXczKjivNyCRY root@ubuntu-xenial (RSA)
+<14>Jan  5 16:14:32 ec2: -----END SSH HOST KEY FINGERPRINTS-----
+<14>Jan  5 16:14:32 ec2: #############################################################
+-----BEGIN SSH HOST KEY KEYS-----
+ecdsa-sha2-nistp256 AAAAE2VjZHNhLXNoYTItbmlzdHAyNTYAAAAIbmlzdHAyNTYAAABBBMS1bABsQpmvG0gzBlBXQmxzQMXcG9KET8LdnlK46CY7QAQ0hJbet5zO+CjLp2PnAaEn95xpARuM0qTQRy1V/P0= root@ubuntu-xenial
+ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAIMN2qemWl4hWvtPOW7sF9jD+IgKvVk2B5INTiABEdARH root@ubuntu-xenial
+ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDjRLsYhNGpLXbb57MNfWvYSTr4jVSxrRlLU/H02WbbfvjxQT68jSfa8EZ/yEcvLNLe+YjtBAsWq24QIMAkjt1LweWECPVIUJGGXmLJjghFoHZS1p33mSBpJXuD+a4AB6gPKRNGBIzoGcjpdFuYTtluz/Z3ler3VUbfvkU9vbwYQVPbSnyyPMEXn2X8A4TjCY3X6Hu5OQ4gs0wDf7Cp8dLcoga+6kuJEM1Gzwyn3Svzp/hyNGgW1cD+QH+I+HY/+ce0baaOSPWYFY/JKPCO8gTzshRD1jqlEFgu5J6Scw06hF7ar+FwLgdayRm3bDT7Rp/fknbCmu09BpXbshHFiN5n root@ubuntu-xenial
+-----END SSH HOST KEY KEYS-----
+[   38.538544] cloud-init[1332]: Cloud-init v. 0.7.9 running 'modules:final' at Fri, 05 Jan 2018 16:14:31 +0000. Up 38.28 seconds.
+[   38.538706] cloud-init[1332]: ci-info: no authorized ssh keys fingerprints found for user ubuntu.
+[   38.538826] cloud-init[1332]: Cloud-init v. 0.7.9 finished at Fri, 05 Jan 2018 16:14:32 +0000. Datasource DataSourceNoCloud [seed=/dev/sdb][dsmode=net].  Up 38.52 seconds
+

+Ubuntu 16.04.3 LTS ubuntu-xenial ttyS0
+
+ubuntu-xenial login: 
\ No newline at end of file