Application freezes when "started"

Here is the complete source for a countdown timer (i.e., a stopwatch).
The code compiles, but the program freezes whenever the user presses "start". The timer doesn't count down, either. The four levels of while loops in the `updateTextArea' function could very well contain the problem, but I'm not sure.
Also: The sloppy programming `updateTextArea' is a partial consequence of my not being allowed to use timekeeping utilities, other than a `Timer' object.
No "timeElapsed = someJavaUtility.timeNow - someJavaUtility.timeAtSomeReferenceTime" or anything like that.
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class CountdownTimer extends JPanel {
        public static void main(String[] args) {
                JFrame f = new JFrame("Countdown Timer");
                 CountdownTimer content = new CountdownTimer();
                f.setContentPane(content);
                f.setSize(72 * 6, 72 * 3); // 6" x 3"
                f.setLocation(400, 100);
                f.setDefaultCloseOperation( JFrame.DISPOSE_ON_CLOSE );
                f.setVisible(true);
                f.setResizable(false);
        } // End main()
        JButton startButton, stopButton, resetButton, exitButton;
        JTextField display;
        JLabel message;
        JCheckBox hmToggle; // Toggles between hh:* and mmmm:* display.
        public CountdownTimer() {
                setBackground(Color.GRAY);
                setLayout( new FlowLayout(FlowLayout.LEFT, 10, 10) );
                TimeKeeper timeKeeper = new TimeKeeper();
                display = new JTextField("00:00:00.00");
                message = new JLabel("");
                add(display);
                add(message);
                add(timeKeeper);
                add(hmToggle);
         * Instances of this class hold the time remaining on the timer.
        private static class HMS {
                static final int
                        MINUTES = 1,  // Display time remaining as mmmm:ss
                        HOURS   = 10; // Display time remaining as hh:mm:ss
                int hours;
                int minutes;
                int seconds;
                // This variable holds TEN TIMES the number of milliseconds remaining.
                int msec;
        private class ConstructDisplay extends HMS {
                String displayHours = hours + ":" + minutes + ":" + seconds + "." + msec;
                String displayMinutes = minutes + ":" + seconds + "." + msec;
        private class Action implements ActionListener {
                public void actionPerformed(ActionEvent evt) { };
        private class TimeKeeper extends JPanel {
                        String timeEntered;             // Time entered in the display.
                        boolean minutesMode = false;    // Display mmmm:ss ?
                        HMS timeLeft;                   // Time remaining.
                        ConstructDisplay timerDisplay;  // Displays...
                        Timer timer;                    // Timer object.
                        public TimeKeeper() {
                                setLayout(new FlowLayout(FlowLayout.LEFT) );
                                startButton = new JButton("Start");
                                stopButton = new JButton("Stop");
                                resetButton = new JButton("Reset");
                                exitButton = new JButton("Exit");
                                hmToggle = new JCheckBox("Display Minutes and Seconds");
                                // Set up listening
                                startButton.addActionListener( new ActionListener() {
                                        public void actionPerformed(ActionEvent evt) {
                                                start();
                                stopButton.addActionListener(new Action() );
                                resetButton.addActionListener(new Action());
                                exitButton.addActionListener(new Action());
                                hmToggle.addActionListener(new Action());
                                // Add buttons to (sub-)panel
                                add(startButton);
                                add(stopButton);
                                add(resetButton);
                                add(exitButton);
                                ActionListener action = new ActionListener() {
                                        public void actionPerformed(ActionEvent evt) {
                                        Object source = evt.getSource();
                                               if(hmToggle == source) {
                                               // Monitors the state of the
                                               // checkbox.
                                               minutesMode = true;
                                        countDown();
                                timer = new Timer(10, action);
                                // On launch:
                                stopButton.setEnabled(false);
                                resetButton.setEnabled(false);
                        } // End constructor
                        public void paintComponent(Graphics g) {
                                super.paintComponent(g);
                         * Parse the display string, and start the timer.
                        private void start() {
                                if(timeLeft == null) {
                                        timeLeft = new HMS();
                                        timerDisplay = new ConstructDisplay();
                                // Disable interaction with the display while the
                                // timer is counting down.
                                display.setEditable(false);
                                timeEntered = display.getText();
                                // Fill the `timeLeft' record.
                                timeLeft.hours   = Integer.parseInt( timeEntered.substring(0, 1) );
                                timeLeft.minutes = Integer.parseInt( timeEntered.substring(3, 4) );
                                timeLeft.seconds = Integer.parseInt( timeEntered.substring(6, 7) );
                                timeLeft.msec    = Integer.parseInt( timeEntered.substring(9, 10) );
                                if(minutesMode) {
                                        timeLeft.minutes = Integer.parseInt( timeEntered.substring(0, 3) );
                                        timeLeft.seconds = Integer.parseInt( timeEntered.substring(5, 6) );
                                        timeLeft.msec    = Integer.parseInt( timeEntered.substring(8, 9) );
                                timer.start();
                        } // End start()
                         * Count down, 10 ms at a time. The display is updated
                         * based on the presentation selected by the user before clicking
                         * `start'.
                        private void countDown() {
                                updateTextArea(timeLeft, HMS.HOURS);
                                if(minutesMode) updateTextArea(timeLeft, HMS.MINUTES);
                                // Update a warning indicator (future release).
                         * Stops, but does not reset, the timer. Allows the user to
                         * pause (for breaks, for example).
                        private void stop() {
                                timer.stop();
                         * Resets the timer, which must be stopped before the
                         * display is reset.
                        private void reset() {
                                stop();
                                display.setText("00:00:00.00");
                                if(minutesMode) display.setText("0000:00.00");
                                timeLeft = null;
                         * Exits the program. (to avoid a possible namespace violation,
                         * the name `exit()' was not used).
                        private void exitTimer() {
                                System.exit(0);
                         * Called to alert the user that time is up.
                        private void timeIsUp() {
                                stop();
                                message.setText("Time's up!");
                         * Updates the display after each "tick" of the timer. The
                         * display used is dependent upon the user's preference.
                        private void updateTextArea(HMS timeLeft, int displayType) {
                                if(displayType == HMS.HOURS) {
                                while(timeLeft.hours >= 0) {
                                        while(timeLeft.minutes >= 0) {
                                                while(timeLeft.seconds >= 0) {
                                                        while(timeLeft.msec >= 0) {
                                                                if(timeLeft.hours == 0 && timeLeft.minutes == 0 && timeLeft.seconds == 0 && timeLeft.msec == 0)
                                                                        timeIsUp();
                                                                timeLeft.msec--;
                                                                display.setText(timerDisplay.displayHours);
                                                                if(timeLeft.msec == 0) {
                                                                        timeLeft.msec = 99;
                                                                        timeLeft.seconds--;
                                                                repaint();
                                                         } // End `ms' block
                                                         if(timeLeft.seconds == 0) {
                                                                timeLeft.seconds = 59;
                                                                timeLeft.minutes--;
                                                } // End `s' block
                                                if(timeLeft.minutes == 0) {
                                                      timeLeft.minutes = 59;
                                                      timeLeft.hours--;
                                        } // End `m' block
                                } // End `h' block
                                } // end if
                                // This is definitely cruft and will need to be cleaned up....
                                if(displayType == HMS.MINUTES) {
                                        while(timeLeft.minutes >= 0) {
                                                while(timeLeft.seconds >= 0) {
                                                        while(timeLeft.msec >= 0) {
                                                                if(timeLeft.minutes == 0 && timeLeft.seconds == 0 && timeLeft.msec == 0)
                                                                        timeIsUp();
                                                                timeLeft.msec--;
                                                                display.setText(timerDisplay.displayMinutes);
                                                                if(timeLeft.msec == 0) {
                                                                        timeLeft.msec = 99;
                                                                        timeLeft.seconds--;
                                                                repaint();
                                                         } // End `ms' block
                                                         if(timeLeft.seconds == 0) {
                                                                timeLeft.seconds = 59;
                                                                timeLeft.minutes--;
                                                } // End `s' block
                                        } // End `m' block
                                } // end if
                        } // End updateTextArea()
        } // End nested class TimeKeeper
}// End class CountdownTimer

I would suggest you rethink the approach to use a Swing Timer or a Thread for your countdown timer, i will post a short example of a
countdown timer using a swing timer. This countdown will update every second, but if you need to really accurate use a thread, all those nested whiles are scary, view Swing Timer api here:
http://java.sun.com/javase/6/docs/api/javax/swing/Timer.html
or Thread Here:
http://java.sun.com/javase/6/docs/api/java/lang/Thread.html
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
//Implement ActionListener in order to use a Swing Timer
public class SimpleTimer extends JFrame implements ActionListener{
     int time = 0;
     Timer timer; //Swing Timer
     JPanel display;
     public SimpleTimer(String s, int t){
          super(s);
          time= t;
          //Create a swing timer Timer(delay, ActionListener)
          timer = new Timer(1000, this);
                //Start the timer (This is the real advantage ofa swing timer hte start() and stop methods())
                //You may be using a button to do this or some other event but for simplicity i'm just starting it here
          timer.start();
          //display is used to show the time, i'm using paint but you could just as easily use a label or textbox etc...
          display = new JPanel(){
               public void paintComponent(Graphics g){
                    super.paintComponent(g);
                    g.drawString(time + "", 5, 20);
          getContentPane().add(display);
          setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
          setSize(300, 300);
          setVisible(true);
     //Is called by the Swing Timer
     public void actionPerformed(ActionEvent e){
          if (time == 0)
               timer.stop();
          else{
               time -= 1;
               repaint(); //Called because i used paintComponent(Graphics g), could be JLabel.setText(String s), blah blah blah
     public static void main(String[] args){
          SimpleTimer st = new SimpleTimer("Simple Timer", 100);
}

Similar Messages

  • CS3 freezes when started on Mavericks

    CS3 freezes when started on newly installed Mavericks (from 10.8).  Last files are displayed and Regster window appears and then freezes up.  Necessary to Force Quit to get out.  I've "successfully" re-installed CS3 several times but the problem continues.  What gives?

    http://forums.adobe.com/thread/1342453?tstart=0
    Mylenium

  • Aperture 2.1 stuck or freezing when started

    After the splash screen when I see the main screen, the beachball starts and doesn't stop. Except for the beachball the application freezes? I'm not sure what to do, I've rebooted,restarted I'm out of options. I'm in the middle of uploading a wedding so the timing is horrible. Also I don't use the vault. I hope someone has a solution for me.

    Have the same problem. Aperture not starting, deleting preferences did not help, permissions are fixed, rebuilding library did not help, removing plugins did not help.
    I have the following messages in the Console.app (the linked text is in boxed braces originally)
    14.08.08 07:29:22 Aperture[7255] * NSRunLoop ignoring exception 'Exception in Aperture: Cannot remove an observer <ArchivePanelController 0x20615f10> for the key path "isMounted" from <RKArchiveVolume 0x20599600> because it is not registered as an observer.
    No backtrace available.
    ' that raised during posting of delayed perform with target 0x13b4160 and selector '_delayedFinishLaunching'
    14.08.08 07:29:22 Aperture[7255] * -[NSProTextFieldCell setVersionCountColor:]: unrecognized selector sent to instance 0x205d6940
    14.08.08 07:29:22 Aperture[7255] Main Thread Exception in Aperture: * -[NSProTextFieldCell setVersionCountColor:]: unrecognized selector sent to instance 0x205d6940
    No backtrace available.
    14.08.08 07:29:22 Aperture[7255] * -[NSProTextFieldCell setVersionCountColor:]: unrecognized selector sent to instance 0x205d6940
    14.08.08 07:29:22 Aperture[7255] Main Thread Exception in Aperture: * -[NSProTextFieldCell setVersionCountColor:]: unrecognized selector sent to instance 0x205d6940
    No backtrace available.
    14.08.08 07:29:22 Aperture[7255] * -[NSProTextFieldCell setVersionCountColor:]: unrecognized selector sent to instance 0x205d6940
    Message was edited by: H.Mueller
    Message was edited by: H.Mueller

  • Booting freeze when starting setup virtual console

    Sometimes the computer will freeze when booting into
    Started setup virtual console
    Gotta to use the power button to shut down, normally it will boot successfully followingby.
    Before is ok, can't remember when this problem show up.
    Don't know where to go, please give me a hint.
    Thanks.
    [ 0.000000] Initializing cgroup subsys cpuset
    [ 0.000000] Initializing cgroup subsys cpu
    [ 0.000000] Initializing cgroup subsys cpuacct
    [ 0.000000] Linux version 3.15.5-1-ARCH (nobody@var-lib-archbuild-testing-i686-tobias) (gcc version 4.9.0 20140604 (prerelease) (GCC) ) #1 SMP PREEMPT Thu Jul 10 07:10:15 CEST 2014
    [ 0.000000] e820: BIOS-provided physical RAM map:
    [ 0.000000] BIOS-e820: [mem 0x0000000000000000-0x000000000009f3ff] usable
    [ 0.000000] BIOS-e820: [mem 0x000000000009f400-0x000000000009ffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000000d2000-0x00000000000d3fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000000e0000-0x00000000000fffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000000100000-0x00000000376b0fff] usable
    [ 0.000000] BIOS-e820: [mem 0x00000000376b1000-0x00000000376b6fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000376b7000-0x00000000377b9fff] usable
    [ 0.000000] BIOS-e820: [mem 0x00000000377ba000-0x000000003780efff] reserved
    [ 0.000000] BIOS-e820: [mem 0x000000003780f000-0x0000000037907fff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000037908000-0x0000000037b0efff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000037b0f000-0x0000000037b17fff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000037b18000-0x0000000037b1efff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000037b1f000-0x0000000037b62fff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000037b63000-0x0000000037b9efff] ACPI NVS
    [ 0.000000] BIOS-e820: [mem 0x0000000037b9f000-0x0000000037bdffff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000037be0000-0x0000000037bfcfff] ACPI data
    [ 0.000000] BIOS-e820: [mem 0x0000000037bfd000-0x0000000037bfffff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000037c00000-0x0000000037dfffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000038000000-0x000000003fffffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000e0000000-0x00000000efffffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fec00000-0x00000000fec0ffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed00000-0x00000000fed003ff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed10000-0x00000000fed13fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed18000-0x00000000fed19fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed1c000-0x00000000fed8ffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fee00000-0x00000000fee00fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000ff800000-0x00000000ffffffff] reserved
    [ 0.000000] Notice: NX (Execute Disable) protection cannot be enabled: non-PAE kernel!
    [ 0.000000] SMBIOS 2.5 present.
    [ 0.000000] DMI: LENOVO 2847A65/2847A65, BIOS 6JET85WW (1.43 ) 12/24/2010
    [ 0.000000] e820: update [mem 0x00000000-0x00000fff] usable ==> reserved
    [ 0.000000] e820: remove [mem 0x000a0000-0x000fffff] usable
    [ 0.000000] e820: last_pfn = 0x37c00 max_arch_pfn = 0x100000
    [ 0.000000] MTRR default type: uncachable
    [ 0.000000] MTRR fixed ranges enabled:
    [ 0.000000] 00000-9FFFF write-back
    [ 0.000000] A0000-BFFFF uncachable
    [ 0.000000] C0000-D3FFF write-protect
    [ 0.000000] D4000-DFFFF uncachable
    [ 0.000000] E0000-FFFFF write-protect
    [ 0.000000] MTRR variable ranges enabled:
    [ 0.000000] 0 base 0FFE00000 mask FFFE00000 write-protect
    [ 0.000000] 1 base 038000000 mask FF8000000 uncachable
    [ 0.000000] 2 base 000000000 mask FC0000000 write-back
    [ 0.000000] 3 base 037E00000 mask FFFE00000 uncachable
    [ 0.000000] 4 disabled
    [ 0.000000] 5 disabled
    [ 0.000000] 6 disabled
    [ 0.000000] x86 PAT enabled: cpu 0, old 0x7040600070406, new 0x7010600070106
    [ 0.000000] found SMP MP-table at [mem 0x000f74c0-0x000f74cf] mapped at [c00f74c0]
    [ 0.000000] Scanning 1 areas for low memory corruption
    [ 0.000000] initial memory mapped: [mem 0x00000000-0x01bfffff]
    [ 0.000000] Base memory trampoline at [c009b000] 9b000 size 16384
    [ 0.000000] init_memory_mapping: [mem 0x00000000-0x000fffff]
    [ 0.000000] [mem 0x00000000-0x000fffff] page 4k
    [ 0.000000] init_memory_mapping: [mem 0x37000000-0x373fffff]
    [ 0.000000] [mem 0x37000000-0x373fffff] page 2M
    [ 0.000000] init_memory_mapping: [mem 0x30000000-0x36ffffff]
    [ 0.000000] [mem 0x30000000-0x36ffffff] page 2M
    [ 0.000000] init_memory_mapping: [mem 0x00100000-0x2fffffff]
    [ 0.000000] [mem 0x00100000-0x003fffff] page 4k
    [ 0.000000] [mem 0x00400000-0x2fffffff] page 2M
    [ 0.000000] init_memory_mapping: [mem 0x37400000-0x376b0fff]
    [ 0.000000] [mem 0x37400000-0x376b0fff] page 4k
    [ 0.000000] BRK [0x0179e000, 0x0179efff] PGTABLE
    [ 0.000000] init_memory_mapping: [mem 0x376b7000-0x377b9fff]
    [ 0.000000] [mem 0x376b7000-0x377b9fff] page 4k
    [ 0.000000] RAMDISK: [mem 0x36ac0000-0x36dfcfff]
    [ 0.000000] ACPI: RSDP 0x000F7190 000024 (v04 PTLTD )
    [ 0.000000] ACPI: XSDT 0x37BF2BBD 000064 (v01 LENOVO TP-6J 00001430 LTP 00000000)
    [ 0.000000] ACPI: FACP 0x37BE4000 0000F4 (v03 LENOVO TP-6J 00001430 ALAN 00000001)
    [ 0.000000] ACPI: DSDT 0x37BE5000 00A14B (v02 LENOVO TP-6J 00001430 INTL 20050624)
    [ 0.000000] ACPI: FACS 0x37B9EFC0 000040
    [ 0.000000] ACPI: HPET 0x37BFCEFC 000038 (v01 LENOVO TP-6J 00001430 LOHR 0000005A)
    [ 0.000000] ACPI: MCFG 0x37BFCF34 00003C (v01 LENOVO TP-6J 00001430 LOHR 0000005A)
    [ 0.000000] ACPI: APIC 0x37BFCF70 000068 (v01 LENOVO TP-6J 00001430 LTP 00000000)
    [ 0.000000] ACPI: BOOT 0x37BFCFD8 000028 (v01 LENOVO TP-6J 00001430 LTP 00000001)
    [ 0.000000] ACPI: SSDT 0x37BE3000 000655 (v01 PmRef CpuPm 00003000 INTL 20050624)
    [ 0.000000] ACPI: SSDT 0x37BE2000 000259 (v01 PmRef Cpu0Tst 00003000 INTL 20050624)
    [ 0.000000] ACPI: SSDT 0x37BE1000 00020F (v01 PmRef ApTst 00003000 INTL 20050624)
    [ 0.000000] ACPI: Local APIC address 0xfee00000
    [ 0.000000] 4MB HIGHMEM available.
    [ 0.000000] 887MB LOWMEM available.
    [ 0.000000] mapped low ram: 0 - 377ba000
    [ 0.000000] low ram: 0 - 377fe000
    [ 0.000000] BRK [0x0179f000, 0x0179ffff] PGTABLE
    [ 0.000000] Zone ranges:
    [ 0.000000] DMA [mem 0x00001000-0x00ffffff]
    [ 0.000000] Normal [mem 0x01000000-0x377fdfff]
    [ 0.000000] HighMem [mem 0x377fe000-0x37bfffff]
    [ 0.000000] Movable zone start for each node
    [ 0.000000] Early memory node ranges
    [ 0.000000] node 0: [mem 0x00001000-0x0009efff]
    [ 0.000000] node 0: [mem 0x00100000-0x376b0fff]
    [ 0.000000] node 0: [mem 0x376b7000-0x377b9fff]
    [ 0.000000] node 0: [mem 0x3780f000-0x37907fff]
    [ 0.000000] node 0: [mem 0x37b0f000-0x37b17fff]
    [ 0.000000] node 0: [mem 0x37b1f000-0x37b62fff]
    [ 0.000000] node 0: [mem 0x37b9f000-0x37bdffff]
    [ 0.000000] node 0: [mem 0x37bfd000-0x37bfffff]
    [ 0.000000] On node 0 totalpages: 227548
    [ 0.000000] free_area_init_node: node 0, pgdat c1601e00, node_mem_map f6fb9020
    [ 0.000000] DMA zone: 32 pages used for memmap
    [ 0.000000] DMA zone: 0 pages reserved
    [ 0.000000] DMA zone: 3998 pages, LIFO batch:0
    [ 0.000000] Normal zone: 1744 pages used for memmap
    [ 0.000000] Normal zone: 223156 pages, LIFO batch:31
    [ 0.000000] HighMem zone: 9 pages used for memmap
    [ 0.000000] HighMem zone: 394 pages, LIFO batch:0
    [ 0.000000] Using APIC driver default
    [ 0.000000] Reserving Intel graphics stolen memory at 0x38000000-0x3fffffff
    [ 0.000000] ACPI: PM-Timer IO Port: 0x408
    [ 0.000000] ACPI: Local APIC address 0xfee00000
    [ 0.000000] ACPI: LAPIC (acpi_id[0x00] lapic_id[0x00] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x01] lapic_id[0x01] enabled)
    [ 0.000000] ACPI: LAPIC_NMI (acpi_id[0x00] high edge lint[0x1])
    [ 0.000000] ACPI: LAPIC_NMI (acpi_id[0x01] high edge lint[0x1])
    [ 0.000000] ACPI: IOAPIC (id[0x02] address[0xfec00000] gsi_base[0])
    [ 0.000000] IOAPIC[0]: apic_id 2, version 32, address 0xfec00000, GSI 0-23
    [ 0.000000] ACPI: INT_SRC_OVR (bus 0 bus_irq 0 global_irq 2 high edge)
    [ 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 2 CPUs, 0 hotplug CPUs
    [ 0.000000] nr_irqs_gsi: 40
    [ 0.000000] PM: Registered nosave memory: [mem 0x0009f000-0x0009ffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x000a0000-0x000d1fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x000d2000-0x000d3fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x000d4000-0x000dffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x000e0000-0x000fffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x376b1000-0x376b6fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x377ba000-0x3780efff]
    [ 0.000000] e820: [mem 0x40000000-0xdfffffff] available for PCI devices
    [ 0.000000] Booting paravirtualized kernel on bare hardware
    [ 0.000000] setup_percpu: NR_CPUS:8 nr_cpumask_bits:8 nr_cpu_ids:2 nr_node_ids:1
    [ 0.000000] PERCPU: Embedded 14 pages/cpu @f7798000 s33856 r0 d23488 u57344
    [ 0.000000] pcpu-alloc: s33856 r0 d23488 u57344 alloc=14*4096
    [ 0.000000] pcpu-alloc: [0] 0 [0] 1
    [ 0.000000] Built 1 zonelists in Zone order, mobility grouping on. Total pages: 225772
    [ 0.000000] Kernel command line: BOOT_IMAGE=/vmlinuz-linux root=UUID=3bfa8024-2f62-4818-9393-5874bfc69f25 rw
    [ 0.000000] PID hash table entries: 4096 (order: 2, 16384 bytes)
    [ 0.000000] Dentry cache hash table entries: 131072 (order: 7, 524288 bytes)
    [ 0.000000] Inode-cache hash table entries: 65536 (order: 6, 262144 bytes)
    [ 0.000000] Initializing CPU#0
    [ 0.000000] xsave: enabled xstate_bv 0x3, cntxt size 0x240
    [ 0.000000] allocated 1826808 bytes of page_cgroup
    [ 0.000000] please try 'cgroup_disable=memory' option if you don't want memory cgroups
    [ 0.000000] Initializing HighMem for node 0 (000377fe:00037c00)
    [ 0.000000] Initializing Movable for node 0 (00000000:00000000)
    [ 0.000000] Memory: 889132K/910192K available (4447K kernel code, 481K rwdata, 1288K rodata, 564K init, 956K bss, 21060K reserved, 1576K highmem)
    [ 0.000000] virtual kernel memory layout:
    fixmap : 0xfff16000 - 0xfffff000 ( 932 kB)
    pkmap : 0xff800000 - 0xffc00000 (4096 kB)
    vmalloc : 0xf7ffe000 - 0xff7fe000 ( 120 MB)
    lowmem : 0xc0000000 - 0xf77fe000 ( 887 MB)
    .init : 0xc1616000 - 0xc16a3000 ( 564 kB)
    .data : 0xc14582aa - 0xc1614400 (1776 kB)
    .text : 0xc1000000 - 0xc14582aa (4448 kB)
    [ 0.000000] Checking if this processor honours the WP bit even in supervisor mode...Ok.
    [ 0.000000] SLUB: HWalign=64, Order=0-3, MinObjects=0, CPUs=2, Nodes=1
    [ 0.000000] Preemptible hierarchical RCU implementation.
    [ 0.000000] RCU dyntick-idle grace-period acceleration is enabled.
    [ 0.000000] Dump stacks of tasks blocking RCU-preempt GP.
    [ 0.000000] RCU restricting CPUs from NR_CPUS=8 to nr_cpu_ids=2.
    [ 0.000000] RCU: Adjusting geometry for rcu_fanout_leaf=16, nr_cpu_ids=2
    [ 0.000000] NR_IRQS:2304 nr_irqs:512 16
    [ 0.000000] CPU 0 irqstacks, hard=f6408000 soft=f640a000
    [ 0.000000] Console: colour dummy device 80x25
    [ 0.000000] console [tty0] enabled
    [ 0.000000] hpet clockevent registered
    [ 0.000000] tsc: Fast TSC calibration using PIT
    [ 0.000000] tsc: Detected 2094.872 MHz processor
    [ 0.003345] Calibrating delay loop (skipped), value calculated using timer frequency.. 4191.31 BogoMIPS (lpj=6982906)
    [ 0.003348] pid_max: default: 32768 minimum: 301
    [ 0.003355] ACPI: Core revision 20140214
    [ 0.019690] ACPI: All ACPI Tables successfully acquired
    [ 0.020050] Security Framework initialized
    [ 0.020059] Yama: becoming mindful.
    [ 0.020075] Mount-cache hash table entries: 2048 (order: 1, 8192 bytes)
    [ 0.020078] Mountpoint-cache hash table entries: 2048 (order: 1, 8192 bytes)
    [ 0.020299] Initializing cgroup subsys memory
    [ 0.020305] Initializing cgroup subsys devices
    [ 0.020307] Initializing cgroup subsys freezer
    [ 0.020309] Initializing cgroup subsys net_cls
    [ 0.020313] Initializing cgroup subsys blkio
    [ 0.020338] CPU: Physical Processor ID: 0
    [ 0.020339] CPU: Processor Core ID: 0
    [ 0.020342] mce: CPU supports 6 MCE banks
    [ 0.020351] CPU0: Thermal monitoring enabled (TM1)
    [ 0.020359] Last level iTLB entries: 4KB 128, 2MB 4, 4MB 4
    Last level dTLB entries: 4KB 256, 2MB 0, 4MB 32, 1GB 0
    tlb_flushall_shift: -1
    [ 0.020459] Freeing SMP alternatives memory: 16K (c16a3000 - c16a7000)
    [ 0.021230] ftrace: allocating 19105 entries in 38 pages
    [ 0.026774] Enabling APIC mode: Flat. Using 1 I/O APICs
    [ 0.027205] ..TIMER: vector=0x30 apic1=0 pin1=2 apic2=-1 pin2=-1
    [ 0.061993] smpboot: CPU0: Intel Celeron(R) Dual-Core CPU T3500 @ 2.10GHz (fam: 06, model: 17, stepping: 0a)
    [ 0.063333] Performance Events: PEBS fmt0+, 4-deep LBR, Core2 events, Intel PMU driver.
    [ 0.063333] ... version: 2
    [ 0.063333] ... bit width: 40
    [ 0.063333] ... generic registers: 2
    [ 0.063333] ... value mask: 000000ffffffffff
    [ 0.063333] ... max period: 000000007fffffff
    [ 0.063333] ... fixed-purpose events: 3
    [ 0.063333] ... event mask: 0000000700000003
    [ 0.076738] NMI watchdog: enabled on all CPUs, permanently consumes one hw-PMU counter.
    [ 0.083404] CPU 1 irqstacks, hard=f6516000 soft=f6518000
    [ 0.083406] x86: Booting SMP configuration:
    [ 0.083408] .... node #0, CPUs: #1
    [ 0.006666] Initializing CPU#1
    [ 0.096574] x86: Booted up 1 node, 2 CPUs
    [ 0.096579] smpboot: Total of 2 processors activated (8382.63 BogoMIPS)
    [ 0.096809] devtmpfs: initialized
    [ 0.096921] PM: Registering ACPI NVS region [mem 0x37b63000-0x37b9efff] (245760 bytes)
    [ 0.097916] pinctrl core: initialized pinctrl subsystem
    [ 0.097971] RTC time: 21:12:51, date: 07/24/14
    [ 0.098030] NET: Registered protocol family 16
    [ 0.098149] cpuidle: using governor ladder
    [ 0.098151] cpuidle: using governor menu
    [ 0.098199] ACPI: bus type PCI registered
    [ 0.098202] acpiphp: ACPI Hot Plug PCI Controller Driver version: 0.5
    [ 0.098297] PCI: MMCONFIG for domain 0000 [bus 00-ff] at [mem 0xe0000000-0xefffffff] (base 0xe0000000)
    [ 0.098300] PCI: MMCONFIG at [mem 0xe0000000-0xefffffff] reserved in E820
    [ 0.098302] PCI: Using MMCONFIG for extended config space
    [ 0.098303] PCI: Using configuration type 1 for base access
    [ 0.098392] mtrr: your CPUs had inconsistent variable MTRR settings
    [ 0.098393] mtrr: probably your BIOS does not setup all CPUs.
    [ 0.098395] mtrr: corrected configuration.
    [ 0.100073] ACPI: Added _OSI(Module Device)
    [ 0.100073] ACPI: Added _OSI(Processor Device)
    [ 0.100073] ACPI: Added _OSI(3.0 _SCP Extensions)
    [ 0.100073] ACPI: Added _OSI(Processor Aggregator Device)
    [ 0.107026] [Firmware Bug]: ACPI: BIOS _OSI(Linux) query ignored
    [ 0.107995] ACPI: SSDT 0x37B18620 000549 (v01 PmRef Cpu0Cst 00003001 INTL 20050624)
    [ 0.108621] ACPI: Dynamic OEM Table Load:
    [ 0.108624] ACPI: SSDT 0x00000000 000549 (v01 PmRef Cpu0Cst 00003001 INTL 20050624)
    [ 0.116947] ACPI: SSDT 0x37B19F20 00008D (v01 PmRef ApCst 00003000 INTL 20050624)
    [ 0.117393] ACPI: Dynamic OEM Table Load:
    [ 0.117395] ACPI: SSDT 0x00000000 00008D (v01 PmRef ApCst 00003000 INTL 20050624)
    [ 0.130189] ACPI: Interpreter enabled
    [ 0.130202] ACPI Exception: AE_NOT_FOUND, While evaluating Sleep State [\_S1_] (20140214/hwxface-580)
    [ 0.130208] ACPI Exception: AE_NOT_FOUND, While evaluating Sleep State [\_S2_] (20140214/hwxface-580)
    [ 0.130226] ACPI: (supports S0 S3 S4 S5)
    [ 0.130228] ACPI: Using IOAPIC for interrupt routing
    [ 0.130267] PCI: Using host bridge windows from ACPI; if necessary, use "pci=nocrs" and report a bug
    [ 0.144307] ACPI: PCI Root Bridge [PCI0] (domain 0000 [bus 00-ff])
    [ 0.144315] acpi PNP0A08:00: _OSC: OS supports [ExtendedConfig ASPM ClockPM Segments MSI]
    [ 0.144322] acpi PNP0A08:00: _OSC failed (AE_NOT_FOUND); disabling ASPM
    [ 0.145146] PCI host bridge to bus 0000:00
    [ 0.145151] pci_bus 0000:00: root bus resource [bus 00-ff]
    [ 0.145153] pci_bus 0000:00: root bus resource [io 0x0000-0x0cf7]
    [ 0.145156] pci_bus 0000:00: root bus resource [io 0x0d00-0xffff]
    [ 0.145158] pci_bus 0000:00: root bus resource [mem 0x000a0000-0x000bffff]
    [ 0.145161] pci_bus 0000:00: root bus resource [mem 0x000d4000-0x000d7fff]
    [ 0.145163] pci_bus 0000:00: root bus resource [mem 0x000d8000-0x000dbfff]
    [ 0.145166] pci_bus 0000:00: root bus resource [mem 0x000dc000-0x000dffff]
    [ 0.145168] pci_bus 0000:00: root bus resource [mem 0x40000000-0xfebfffff]
    [ 0.145181] pci 0000:00:00.0: [8086:2a40] type 00 class 0x060000
    [ 0.145206] DMAR: Forcing write-buffer flush capability
    [ 0.145208] DMAR: Disabling IOMMU for graphics on this chipset
    [ 0.145311] pci 0000:00:02.0: [8086:2a42] type 00 class 0x030000
    [ 0.145327] pci 0000:00:02.0: reg 0x10: [mem 0xf2400000-0xf27fffff 64bit]
    [ 0.145336] pci 0000:00:02.0: reg 0x18: [mem 0xd0000000-0xdfffffff 64bit pref]
    [ 0.145343] pci 0000:00:02.0: reg 0x20: [io 0x1800-0x1807]
    [ 0.145462] pci 0000:00:02.1: [8086:2a43] type 00 class 0x038000
    [ 0.145475] pci 0000:00:02.1: reg 0x10: [mem 0xf2100000-0xf21fffff 64bit]
    [ 0.145642] pci 0000:00:1a.0: [8086:2937] type 00 class 0x0c0300
    [ 0.145703] pci 0000:00:1a.0: reg 0x20: [io 0x1820-0x183f]
    [ 0.145829] pci 0000:00:1a.0: System wakeup disabled by ACPI
    [ 0.145893] pci 0000:00:1a.1: [8086:2938] type 00 class 0x0c0300
    [ 0.145953] pci 0000:00:1a.1: reg 0x20: [io 0x1840-0x185f]
    [ 0.146079] pci 0000:00:1a.1: System wakeup disabled by ACPI
    [ 0.146141] pci 0000:00:1a.2: [8086:2939] type 00 class 0x0c0300
    [ 0.146201] pci 0000:00:1a.2: reg 0x20: [io 0x1860-0x187f]
    [ 0.146201] pci 0000:00:1a.2: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1a.7: [8086:293c] type 00 class 0x0c0320
    [ 0.146201] pci 0000:00:1a.7: reg 0x10: [mem 0xf2a04000-0xf2a043ff]
    [ 0.146201] pci 0000:00:1a.7: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1a.7: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1b.0: [8086:293e] type 00 class 0x040300
    [ 0.146201] pci 0000:00:1b.0: reg 0x10: [mem 0xf2a00000-0xf2a03fff 64bit]
    [ 0.146201] pci 0000:00:1b.0: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1b.0: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1c.0: [8086:2940] type 01 class 0x060400
    [ 0.146201] pci 0000:00:1c.0: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1c.0: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1c.1: [8086:2942] type 01 class 0x060400
    [ 0.146201] pci 0000:00:1c.1: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1c.1: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1c.2: [8086:2944] type 01 class 0x060400
    [ 0.146201] pci 0000:00:1c.2: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1c.2: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1c.3: [8086:2946] type 01 class 0x060400
    [ 0.146201] pci 0000:00:1c.3: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1c.3: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1c.4: [8086:2948] type 01 class 0x060400
    [ 0.146201] pci 0000:00:1c.4: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1c.4: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1c.5: [8086:294a] type 01 class 0x060400
    [ 0.146201] pci 0000:00:1c.5: PME# supported from D0 D3hot D3cold
    [ 0.146201] pci 0000:00:1c.5: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1d.0: [8086:2934] type 00 class 0x0c0300
    [ 0.146201] pci 0000:00:1d.0: reg 0x20: [io 0x1880-0x189f]
    [ 0.146201] pci 0000:00:1d.0: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1d.1: [8086:2935] type 00 class 0x0c0300
    [ 0.146201] pci 0000:00:1d.1: reg 0x20: [io 0x18a0-0x18bf]
    [ 0.146201] pci 0000:00:1d.1: System wakeup disabled by ACPI
    [ 0.146201] pci 0000:00:1d.2: [8086:2936] type 00 class 0x0c0300
    [ 0.146201] pci 0000:00:1d.2: reg 0x20: [io 0x18c0-0x18df]
    [ 0.146201] pci 0000:00:1d.2: System wakeup disabled by ACPI
    [ 0.146266] pci 0000:00:1d.7: [8086:293a] type 00 class 0x0c0320
    [ 0.146294] pci 0000:00:1d.7: reg 0x10: [mem 0xf2a04400-0xf2a047ff]
    [ 0.146416] pci 0000:00:1d.7: PME# supported from D0 D3hot D3cold
    [ 0.146489] pci 0000:00:1d.7: System wakeup disabled by ACPI
    [ 0.146551] pci 0000:00:1e.0: [8086:2448] type 01 class 0x060401
    [ 0.146682] pci 0000:00:1e.0: System wakeup disabled by ACPI
    [ 0.146745] pci 0000:00:1f.0: [8086:2919] type 00 class 0x060100
    [ 0.146992] pci 0000:00:1f.2: [8086:2928] type 00 class 0x01018a
    [ 0.147016] pci 0000:00:1f.2: reg 0x10: [io 0x0000-0x0007]
    [ 0.147028] pci 0000:00:1f.2: reg 0x14: [io 0x0000-0x0003]
    [ 0.147040] pci 0000:00:1f.2: reg 0x18: [io 0x0000-0x0007]
    [ 0.147053] pci 0000:00:1f.2: reg 0x1c: [io 0x0000-0x0003]
    [ 0.147065] pci 0000:00:1f.2: reg 0x20: [io 0x18e0-0x18ef]
    [ 0.147077] pci 0000:00:1f.2: reg 0x24: [io 0x1810-0x181f]
    [ 0.147093] pci 0000:00:1f.2: legacy IDE quirk: reg 0x10: [io 0x01f0-0x01f7]
    [ 0.147095] pci 0000:00:1f.2: legacy IDE quirk: reg 0x14: [io 0x03f6]
    [ 0.147098] pci 0000:00:1f.2: legacy IDE quirk: reg 0x18: [io 0x0170-0x0177]
    [ 0.147100] pci 0000:00:1f.2: legacy IDE quirk: reg 0x1c: [io 0x0376]
    [ 0.147232] pci 0000:00:1f.3: [8086:2930] type 00 class 0x0c0500
    [ 0.147255] pci 0000:00:1f.3: reg 0x10: [mem 0x00000000-0x000000ff 64bit]
    [ 0.147286] pci 0000:00:1f.3: reg 0x20: [io 0x1c00-0x1c1f]
    [ 0.147516] pci 0000:02:00.0: [197b:2382] type 00 class 0x088000
    [ 0.147544] pci 0000:02:00.0: reg 0x10: [mem 0xf2300000-0xf23000ff]
    [ 0.147763] pci 0000:02:00.0: System wakeup disabled by ACPI
    [ 0.147840] pci 0000:02:00.2: [197b:2381] type 00 class 0x080501
    [ 0.147866] pci 0000:02:00.2: reg 0x10: [mem 0xf2300400-0xf23004ff]
    [ 0.148142] pci 0000:02:00.3: [197b:2383] type 00 class 0x088000
    [ 0.148168] pci 0000:02:00.3: reg 0x10: [mem 0xf2300800-0xf23008ff]
    [ 0.148441] pci 0000:02:00.4: [197b:2384] type 00 class 0x088000
    [ 0.148466] pci 0000:02:00.4: reg 0x10: [mem 0xf2300c00-0xf2300cff]
    [ 0.156695] pci 0000:00:1c.0: PCI bridge to [bus 02]
    [ 0.156703] pci 0000:00:1c.0: bridge window [mem 0xf2300000-0xf23fffff]
    [ 0.156802] pci 0000:00:1c.1: PCI bridge to [bus 03]
    [ 0.156907] pci 0000:00:1c.2: PCI bridge to [bus 04]
    [ 0.157034] pci 0000:05:00.0: [10ec:8172] type 00 class 0x028000
    [ 0.157059] pci 0000:05:00.0: reg 0x10: [io 0x2000-0x20ff]
    [ 0.157076] pci 0000:05:00.0: reg 0x14: [mem 0xf2200000-0xf2203fff]
    [ 0.157243] pci 0000:05:00.0: supports D1 D2
    [ 0.157245] pci 0000:05:00.0: PME# supported from D0 D1 D2 D3hot D3cold
    [ 0.157285] pci 0000:05:00.0: System wakeup disabled by ACPI
    [ 0.166686] pci 0000:00:1c.3: PCI bridge to [bus 05]
    [ 0.166691] pci 0000:00:1c.3: bridge window [io 0x2000-0x2fff]
    [ 0.166697] pci 0000:00:1c.3: bridge window [mem 0xf2200000-0xf22fffff]
    [ 0.166813] acpiphp: Slot [1] registered
    [ 0.166820] pci 0000:00:1c.4: PCI bridge to [bus 06-07]
    [ 0.166826] pci 0000:00:1c.4: bridge window [io 0x3000-0x3fff]
    [ 0.166831] pci 0000:00:1c.4: bridge window [mem 0xf4000000-0xf5ffffff]
    [ 0.166839] pci 0000:00:1c.4: bridge window [mem 0xf0000000-0xf1ffffff 64bit pref]
    [ 0.167015] pci 0000:08:00.0: [10ec:8136] type 00 class 0x020000
    [ 0.167081] pci 0000:08:00.0: reg 0x10: [io 0x4000-0x40ff]
    [ 0.167195] pci 0000:08:00.0: reg 0x18: [mem 0xf2010000-0xf2010fff 64bit pref]
    [ 0.167267] pci 0000:08:00.0: reg 0x20: [mem 0xf2000000-0xf200ffff 64bit pref]
    [ 0.167309] pci 0000:08:00.0: reg 0x30: [mem 0x00000000-0x0001ffff pref]
    [ 0.167631] pci 0000:08:00.0: supports D1 D2
    [ 0.167633] pci 0000:08:00.0: PME# supported from D0 D1 D2 D3hot D3cold
    [ 0.167765] pci 0000:08:00.0: System wakeup disabled by ACPI
    [ 0.167881] pci 0000:00:1c.5: PCI bridge to [bus 08]
    [ 0.167886] pci 0000:00:1c.5: bridge window [io 0x4000-0x4fff]
    [ 0.167897] pci 0000:00:1c.5: bridge window [mem 0xf2000000-0xf20fffff 64bit pref]
    [ 0.168016] pci 0000:00:1e.0: PCI bridge to [bus 09] (subtractive decode)
    [ 0.168030] pci 0000:00:1e.0: bridge window [io 0x0000-0x0cf7] (subtractive decode)
    [ 0.168033] pci 0000:00:1e.0: bridge window [io 0x0d00-0xffff] (subtractive decode)
    [ 0.168036] pci 0000:00:1e.0: bridge window [mem 0x000a0000-0x000bffff] (subtractive decode)
    [ 0.168038] pci 0000:00:1e.0: bridge window [mem 0x000d4000-0x000d7fff] (subtractive decode)
    [ 0.168041] pci 0000:00:1e.0: bridge window [mem 0x000d8000-0x000dbfff] (subtractive decode)
    [ 0.168043] pci 0000:00:1e.0: bridge window [mem 0x000dc000-0x000dffff] (subtractive decode)
    [ 0.168045] pci 0000:00:1e.0: bridge window [mem 0x40000000-0xfebfffff] (subtractive decode)
    [ 0.168116] pci_bus 0000:00: on NUMA node 0
    [ 0.168358] ACPI: PCI Interrupt Link [LNKA] (IRQs 1 3 4 5 6 7 *10 12 14 15)
    [ 0.168428] ACPI: PCI Interrupt Link [LNKB] (IRQs 1 3 4 5 6 7 *11 12 14 15)
    [ 0.168494] ACPI: PCI Interrupt Link [LNKC] (IRQs 1 3 4 5 6 7 *10 12 14 15)
    [ 0.168563] ACPI: PCI Interrupt Link [LNKD] (IRQs 1 3 4 5 6 7 11 12 14 15) *10
    [ 0.168628] ACPI: PCI Interrupt Link [LNKE] (IRQs 1 3 4 5 6 7 10 12 14 15) *0, disabled.
    [ 0.168695] ACPI: PCI Interrupt Link [LNKF] (IRQs 1 3 4 5 6 7 11 12 14 15) *10
    [ 0.168761] ACPI: PCI Interrupt Link [LNKG] (IRQs 1 3 4 5 6 7 *10 12 14 15)
    [ 0.168827] ACPI: PCI Interrupt Link [LNKH] (IRQs 1 3 4 5 6 7 11 12 14 15) *10
    [ 0.173479] ACPI: Enabled 4 GPEs in block 00 to 3F
    [ 0.173591] ACPI : EC: GPE = 0x17, I/O: command/status = 0x66, data = 0x62
    [ 0.173669] vgaarb: device added: PCI:0000:00:02.0,decodes=io+mem,owns=io+mem,locks=none
    [ 0.173669] vgaarb: loaded
    [ 0.173669] vgaarb: bridge control possible 0000:00:02.0
    [ 0.173669] PCI: Using ACPI for IRQ routing
    [ 0.185061] PCI: pci_cache_line_size set to 64 bytes
    [ 0.185173] e820: reserve RAM buffer [mem 0x0009f400-0x0009ffff]
    [ 0.185176] e820: reserve RAM buffer [mem 0x376b1000-0x37ffffff]
    [ 0.185179] e820: reserve RAM buffer [mem 0x377ba000-0x37ffffff]
    [ 0.185182] e820: reserve RAM buffer [mem 0x37908000-0x37ffffff]
    [ 0.185184] e820: reserve RAM buffer [mem 0x37b18000-0x37ffffff]
    [ 0.185187] e820: reserve RAM buffer [mem 0x37b63000-0x37ffffff]
    [ 0.185189] e820: reserve RAM buffer [mem 0x37be0000-0x37ffffff]
    [ 0.185191] e820: reserve RAM buffer [mem 0x37c00000-0x37ffffff]
    [ 0.185330] NetLabel: Initializing
    [ 0.185332] NetLabel: domain hash size = 128
    [ 0.185334] NetLabel: protocols = UNLABELED CIPSOv4
    [ 0.185348] NetLabel: unlabeled traffic allowed by default
    [ 0.185378] HPET: 4 timers in total, 0 timers will be used for per-cpu timer
    [ 0.185385] hpet0: at MMIO 0xfed00000, IRQs 2, 8, 0, 0
    [ 0.185390] hpet0: 4 comparators, 64-bit 14.318180 MHz counter
    [ 0.186692] Switched to clocksource hpet
    [ 0.194447] pnp: PnP ACPI init
    [ 0.194476] ACPI: bus type PNP registered
    [ 0.194565] pnp 00:00: [dma 4]
    [ 0.194604] pnp 00:00: Plug and Play ACPI device, IDs PNP0200 (active)
    [ 0.194647] pnp 00:01: Plug and Play ACPI device, IDs INT0800 (active)
    [ 0.194818] system 00:02: [mem 0xfed00000-0xfed003ff] has been reserved
    [ 0.194823] system 00:02: Plug and Play ACPI device, IDs PNP0103 PNP0c01 (active)
    [ 0.194877] pnp 00:03: Plug and Play ACPI device, IDs PNP0c04 (active)
    [ 0.194964] system 00:04: [io 0x0680-0x069f] has been reserved
    [ 0.194967] system 00:04: [io 0x0480-0x048f] has been reserved
    [ 0.194970] system 00:04: [io 0xffff] has been reserved
    [ 0.194972] system 00:04: [io 0xffff] has been reserved
    [ 0.194975] system 00:04: [io 0x0400-0x047f] could not be reserved
    [ 0.194978] system 00:04: [io 0x1180-0x11ff] has been reserved
    [ 0.194981] system 00:04: [io 0x1600-0x16fe] has been reserved
    [ 0.194983] system 00:04: [io 0xfe00] has been reserved
    [ 0.194986] system 00:04: [io 0x0700-0x070f] has been reserved
    [ 0.194990] system 00:04: Plug and Play ACPI device, IDs PNP0c02 (active)
    [ 0.195039] pnp 00:05: Plug and Play ACPI device, IDs PNP0b00 (active)
    [ 0.195106] pnp 00:06: Plug and Play ACPI device, IDs PNP0303 (active)
    [ 0.195153] pnp 00:07: Plug and Play ACPI device, IDs LEN0017 PNP0f13 (active)
    [ 0.195390] system 00:08: [mem 0xfed1c000-0xfed1ffff] has been reserved
    [ 0.195393] system 00:08: [mem 0xfed10000-0xfed13fff] has been reserved
    [ 0.195396] system 00:08: [mem 0xfed18000-0xfed18fff] has been reserved
    [ 0.195399] system 00:08: [mem 0xfed19000-0xfed19fff] has been reserved
    [ 0.195402] system 00:08: [mem 0xe0000000-0xefffffff] has been reserved
    [ 0.195405] system 00:08: [mem 0xfed20000-0xfed3ffff] has been reserved
    [ 0.195407] system 00:08: [mem 0xfed40000-0xfed44fff] has been reserved
    [ 0.195411] system 00:08: Plug and Play ACPI device, IDs PNP0c02 (active)
    [ 0.195901] pnp: PnP ACPI: found 9 devices
    [ 0.195903] ACPI: bus type PNP unregistered
    [ 0.233524] pci 0000:00:1c.0: bridge window [io 0x1000-0x0fff] to [bus 02] add_size 1000
    [ 0.233530] pci 0000:00:1c.0: bridge window [mem 0x00100000-0x000fffff 64bit pref] to [bus 02] add_size 200000
    [ 0.233542] pci 0000:00:1c.1: bridge window [io 0x1000-0x0fff] to [bus 03] add_size 1000
    [ 0.233546] pci 0000:00:1c.1: bridge window [mem 0x00100000-0x000fffff 64bit pref] to [bus 03] add_size 200000
    [ 0.233549] pci 0000:00:1c.1: bridge window [mem 0x00100000-0x000fffff] to [bus 03] add_size 200000
    [ 0.233561] pci 0000:00:1c.2: bridge window [io 0x1000-0x0fff] to [bus 04] add_size 1000
    [ 0.233564] pci 0000:00:1c.2: bridge window [mem 0x00100000-0x000fffff 64bit pref] to [bus 04] add_size 200000
    [ 0.233567] pci 0000:00:1c.2: bridge window [mem 0x00100000-0x000fffff] to [bus 04] add_size 200000
    [ 0.233579] pci 0000:00:1c.3: bridge window [mem 0x00100000-0x000fffff 64bit pref] to [bus 05] add_size 200000
    [ 0.233599] pci 0000:00:1c.5: bridge window [mem 0x00100000-0x001fffff] to [bus 08] add_size 400000
    [ 0.233618] pci 0000:00:1c.0: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000
    [ 0.233621] pci 0000:00:1c.1: res[14]=[mem 0x00100000-0x000fffff] get_res_add_size add_size 200000
    [ 0.233624] pci 0000:00:1c.1: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000
    [ 0.233627] pci 0000:00:1c.2: res[14]=[mem 0x00100000-0x000fffff] get_res_add_size add_size 200000
    [ 0.233630] pci 0000:00:1c.2: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000
    [ 0.233632] pci 0000:00:1c.3: res[15]=[mem 0x00100000-0x000fffff 64bit pref] get_res_add_size add_size 200000
    [ 0.233635] pci 0000:00:1c.5: res[14]=[mem 0x00100000-0x001fffff] get_res_add_size add_size 400000
    [ 0.233638] pci 0000:00:1c.0: res[13]=[io 0x1000-0x0fff] get_res_add_size add_size 1000
    [ 0.233641] pci 0000:00:1c.1: res[13]=[io 0x1000-0x0fff] get_res_add_size add_size 1000
    [ 0.233643] pci 0000:00:1c.2: res[13]=[io 0x1000-0x0fff] get_res_add_size add_size 1000
    [ 0.233651] pci 0000:00:1c.0: BAR 15: assigned [mem 0x40000000-0x401fffff 64bit pref]
    [ 0.233656] pci 0000:00:1c.1: BAR 14: assigned [mem 0x40200000-0x403fffff]
    [ 0.233660] pci 0000:00:1c.1: BAR 15: assigned [mem 0x40400000-0x405fffff 64bit pref]
    [ 0.233664] pci 0000:00:1c.2: BAR 14: assigned [mem 0x40600000-0x407fffff]
    [ 0.233668] pci 0000:00:1c.2: BAR 15: assigned [mem 0x40800000-0x409fffff 64bit pref]
    [ 0.233672] pci 0000:00:1c.3: BAR 15: assigned [mem 0x40a00000-0x40bfffff 64bit pref]
    [ 0.233676] pci 0000:00:1c.5: BAR 14: assigned [mem 0x40c00000-0x410fffff]
    [ 0.233680] pci 0000:00:1c.0: BAR 13: assigned [io 0x5000-0x5fff]
    [ 0.233683] pci 0000:00:1c.1: BAR 13: assigned [io 0x6000-0x6fff]
    [ 0.233687] pci 0000:00:1c.2: BAR 13: assigned [io 0x7000-0x7fff]
    [ 0.233691] pci 0000:00:1f.3: BAR 0: assigned [mem 0x41100000-0x411000ff 64bit]
    [ 0.233705] pci 0000:00:1c.0: PCI bridge to [bus 02]
    [ 0.233709] pci 0000:00:1c.0: bridge window [io 0x5000-0x5fff]
    [ 0.233716] pci 0000:00:1c.0: bridge window [mem 0xf2300000-0xf23fffff]
    [ 0.233721] pci 0000:00:1c.0: bridge window [mem 0x40000000-0x401fffff 64bit pref]
    [ 0.233729] pci 0000:00:1c.1: PCI bridge to [bus 03]
    [ 0.233732] pci 0000:00:1c.1: bridge window [io 0x6000-0x6fff]
    [ 0.233739] pci 0000:00:1c.1: bridge window [mem 0x40200000-0x403fffff]
    [ 0.233744] pci 0000:00:1c.1: bridge window [mem 0x40400000-0x405fffff 64bit pref]
    [ 0.233752] pci 0000:00:1c.2: PCI bridge to [bus 04]
    [ 0.233756] pci 0000:00:1c.2: bridge window [io 0x7000-0x7fff]
    [ 0.233763] pci 0000:00:1c.2: bridge window [mem 0x40600000-0x407fffff]
    [ 0.233768] pci 0000:00:1c.2: bridge window [mem 0x40800000-0x409fffff 64bit pref]
    [ 0.233776] pci 0000:00:1c.3: PCI bridge to [bus 05]
    [ 0.233779] pci 0000:00:1c.3: bridge window [io 0x2000-0x2fff]
    [ 0.233786] pci 0000:00:1c.3: bridge window [mem 0xf2200000-0xf22fffff]
    [ 0.233791] pci 0000:00:1c.3: bridge window [mem 0x40a00000-0x40bfffff 64bit pref]
    [ 0.233799] pci 0000:00:1c.4: PCI bridge to [bus 06-07]
    [ 0.233803] pci 0000:00:1c.4: bridge window [io 0x3000-0x3fff]
    [ 0.233809] pci 0000:00:1c.4: bridge window [mem 0xf4000000-0xf5ffffff]
    [ 0.233814] pci 0000:00:1c.4: bridge window [mem 0xf0000000-0xf1ffffff 64bit pref]
    [ 0.233823] pci 0000:08:00.0: BAR 6: assigned [mem 0xf2020000-0xf203ffff pref]
    [ 0.233826] pci 0000:00:1c.5: PCI bridge to [bus 08]
    [ 0.233830] pci 0000:00:1c.5: bridge window [io 0x4000-0x4fff]
    [ 0.233836] pci 0000:00:1c.5: bridge window [mem 0x40c00000-0x410fffff]
    [ 0.233841] pci 0000:00:1c.5: bridge window [mem 0xf2000000-0xf20fffff 64bit pref]
    [ 0.233849] pci 0000:00:1e.0: PCI bridge to [bus 09]
    [ 0.233864] pci_bus 0000:00: resource 4 [io 0x0000-0x0cf7]
    [ 0.233867] pci_bus 0000:00: resource 5 [io 0x0d00-0xffff]
    [ 0.233870] pci_bus 0000:00: resource 6 [mem 0x000a0000-0x000bffff]
    [ 0.233872] pci_bus 0000:00: resource 7 [mem 0x000d4000-0x000d7fff]
    [ 0.233874] pci_bus 0000:00: resource 8 [mem 0x000d8000-0x000dbfff]
    [ 0.233877] pci_bus 0000:00: resource 9 [mem 0x000dc000-0x000dffff]
    [ 0.233879] pci_bus 0000:00: resource 10 [mem 0x40000000-0xfebfffff]
    [ 0.233882] pci_bus 0000:02: resource 0 [io 0x5000-0x5fff]
    [ 0.233884] pci_bus 0000:02: resource 1 [mem 0xf2300000-0xf23fffff]
    [ 0.233887] pci_bus 0000:02: resource 2 [mem 0x40000000-0x401fffff 64bit pref]
    [ 0.233890] pci_bus 0000:03: resource 0 [io 0x6000-0x6fff]
    [ 0.233892] pci_bus 0000:03: resource 1 [mem 0x40200000-0x403fffff]
    [ 0.233895] pci_bus 0000:03: resource 2 [mem 0x40400000-0x405fffff 64bit pref]
    [ 0.233897] pci_bus 0000:04: resource 0 [io 0x7000-0x7fff]
    [ 0.233900] pci_bus 0000:04: resource 1 [mem 0x40600000-0x407fffff]
    [ 0.233902] pci_bus 0000:04: resource 2 [mem 0x40800000-0x409fffff 64bit pref]
    [ 0.233905] pci_bus 0000:05: resource 0 [io 0x2000-0x2fff]
    [ 0.233907] pci_bus 0000:05: resource 1 [mem 0xf2200000-0xf22fffff]
    [ 0.233910] pci_bus 0000:05: resource 2 [mem 0x40a00000-0x40bfffff 64bit pref]
    [ 0.233912] pci_bus 0000:06: resource 0 [io 0x3000-0x3fff]
    [ 0.233915] pci_bus 0000:06: resource 1 [mem 0xf4000000-0xf5ffffff]
    [ 0.233917] pci_bus 0000:06: resource 2 [mem 0xf0000000-0xf1ffffff 64bit pref]
    [ 0.233920] pci_bus 0000:08: resource 0 [io 0x4000-0x4fff]
    [ 0.233922] pci_bus 0000:08: resource 1 [mem 0x40c00000-0x410fffff]
    [ 0.233924] pci_bus 0000:08: resource 2 [mem 0xf2000000-0xf20fffff 64bit pref]
    [ 0.233927] pci_bus 0000:09: resource 4 [io 0x0000-0x0cf7]
    [ 0.233929] pci_bus 0000:09: resource 5 [io 0x0d00-0xffff]
    [ 0.233932] pci_bus 0000:09: resource 6 [mem 0x000a0000-0x000bffff]
    [ 0.233934] pci_bus 0000:09: resource 7 [mem 0x000d4000-0x000d7fff]
    [ 0.233937] pci_bus 0000:09: resource 8 [mem 0x000d8000-0x000dbfff]
    [ 0.233939] pci_bus 0000:09: resource 9 [mem 0x000dc000-0x000dffff]
    [ 0.233941] pci_bus 0000:09: resource 10 [mem 0x40000000-0xfebfffff]
    [ 0.233974] NET: Registered protocol family 2
    [ 0.234147] TCP established hash table entries: 8192 (order: 3, 32768 bytes)
    [ 0.234165] TCP bind hash table entries: 8192 (order: 4, 65536 bytes)
    [ 0.234196] TCP: Hash tables configured (established 8192 bind 8192)
    [ 0.234229] TCP: reno registered
    [ 0.234232] UDP hash table entries: 512 (order: 2, 16384 bytes)
    [ 0.234241] UDP-Lite hash table entries: 512 (order: 2, 16384 bytes)
    [ 0.234288] NET: Registered protocol family 1
    [ 0.234306] pci 0000:00:02.0: Boot video device
    [ 0.247385] PCI: CLS 64 bytes, default 64
    [ 0.247444] Unpacking initramfs...
    [ 0.327321] Freeing initrd memory: 3316K (f6ac0000 - f6dfd000)
    [ 0.327360] Simple Boot Flag at 0x36 set to 0x1
    [ 0.327537] apm: BIOS not found.
    [ 0.327589] Scanning for low memory corruption every 60 seconds
    [ 0.328006] futex hash table entries: 512 (order: 3, 32768 bytes)
    [ 0.342512] bounce pool size: 64 pages
    [ 0.342526] HugeTLB registered 4 MB page size, pre-allocated 0 pages
    [ 0.344771] zbud: loaded
    [ 0.344889] VFS: Disk quotas dquot_6.5.2
    [ 0.344943] Dquot-cache hash table entries: 1024 (order 0, 4096 bytes)
    [ 0.345132] msgmni has been set to 1740
    [ 0.345203] Key type big_key registered
    [ 0.345390] Block layer SCSI generic (bsg) driver version 0.4 loaded (major 252)
    [ 0.345431] io scheduler noop registered
    [ 0.345433] io scheduler deadline registered
    [ 0.345477] io scheduler cfq registered (default)
    [ 0.345722] pcieport 0000:00:1c.0: irq 40 for MSI/MSI-X
    [ 0.345914] pcieport 0000:00:1c.1: irq 41 for MSI/MSI-X
    [ 0.346095] pcieport 0000:00:1c.2: irq 42 for MSI/MSI-X
    [ 0.346276] pcieport 0000:00:1c.3: irq 43 for MSI/MSI-X
    [ 0.346459] pcieport 0000:00:1c.4: irq 44 for MSI/MSI-X
    [ 0.346643] pcieport 0000:00:1c.5: irq 45 for MSI/MSI-X
    [ 0.346801] pci_hotplug: PCI Hot Plug PCI Core version: 0.5
    [ 0.346826] pciehp: PCI Express Hot Plug Controller Driver version: 0.4
    [ 0.346866] vesafb: mode is 1024x768x32, linelength=4096, pages=0
    [ 0.346868] vesafb: scrolling: redraw
    [ 0.346870] vesafb: Truecolor: size=8:8:8:8, shift=24:16:8:0
    [ 0.347265] vesafb: framebuffer at 0xd0000000, mapped to 0xf8080000, using 3072k, total 3072k
    [ 0.371347] Console: switching to colour frame buffer device 128x48
    [ 0.395282] fb0: VESA VGA frame buffer device
    [ 0.395302] intel_idle: does not run on family 6 model 23
    [ 0.395336] GHES: HEST is not enabled!
    [ 0.395353] isapnp: Scanning for PnP cards...
    [ 0.708652] isapnp: No Plug & Play device found
    [ 0.708714] Serial: 8250/16550 driver, 4 ports, IRQ sharing disabled
    [ 0.709479] rtc_cmos 00:05: RTC can wake from S4
    [ 0.709659] rtc_cmos 00:05: rtc core: registered rtc_cmos as rtc0
    [ 0.709696] rtc_cmos 00:05: alarms up to one month, y3k, 242 bytes nvram, hpet irqs
    [ 0.709734] ledtrig-cpu: registered to indicate activity on CPUs
    [ 0.709873] TCP: cubic registered
    [ 0.710038] NET: Registered protocol family 10
    [ 0.710291] NET: Registered protocol family 17
    [ 0.710470] Using IPI No-Shortcut mode
    [ 0.710614] registered taskstats version 1
    [ 0.711361] Magic number: 6:207:248
    [ 0.711441] rtc_cmos 00:05: setting system clock to 2014-07-24 21:12:51 UTC (1406236371)
    [ 0.711573] PM: Hibernation image not present or could not be loaded.
    [ 0.711816] Freeing unused kernel memory: 564K (c1616000 - c16a3000)
    [ 0.711835] Write protecting the kernel text: 4452k
    [ 0.711865] Write protecting the kernel read-only data: 1292k
    [ 0.720349] random: systemd-tmpfile urandom read with 1 bits of entropy available
    [ 0.722097] systemd-udevd[47]: starting version 215
    [ 0.747046] i8042: PNP: PS/2 Controller [PNP0303:PS2K,PNP0f13:PS2M] at 0x60,0x64 irq 1,12
    [ 0.754102] ACPI: bus type USB registered
    [ 0.754142] usbcore: registered new interface driver usbfs
    [ 0.754158] usbcore: registered new interface driver hub
    [ 0.757660] usbcore: registered new device driver usb
    [ 0.757853] sdhci: Secure Digital Host Controller Interface driver
    [ 0.757856] sdhci: Copyright(c) Pierre Ossman
    [ 0.758255] sdhci-pci 0000:02:00.0: SDHCI controller found [197b:2382] (rev 20)
    [ 0.758310] ehci_hcd: USB 2.0 'Enhanced' Host Controller (EHCI) Driver
    [ 0.758388] mmc0: no vqmmc regulator found
    [ 0.758390] mmc0: no vmmc regulator found
    [ 0.758524] mmc0: SDHCI controller on PCI [0000:02:00.0] using DMA
    [ 0.758563] sdhci-pci 0000:02:00.2: SDHCI controller found [197b:2381] (rev 20)
    [ 0.758628] sdhci-pci 0000:02:00.2: Refusing to bind to secondary interface.
    [ 0.758728] uhci_hcd: USB Universal Host Controller Interface driver
    [ 0.758864] uhci_hcd 0000:00:1a.0: UHCI Host Controller
    [ 0.758874] uhci_hcd 0000:00:1a.0: new USB bus registered, assigned bus number 1
    [ 0.758884] uhci_hcd 0000:00:1a.0: detected 2 ports
    [ 0.758909] uhci_hcd 0000:00:1a.0: irq 16, io base 0x00001820
    [ 0.759248] ehci-pci: EHCI PCI platform driver
    [ 0.760108] hub 1-0:1.0: USB hub found
    [ 0.760122] hub 1-0:1.0: 2 ports detected
    [ 0.760528] ehci-pci 0000:00:1a.7: EHCI Host Controller
    [ 0.760536] ehci-pci 0000:00:1a.7: new USB bus registered, assigned bus number 2
    [ 0.760554] ehci-pci 0000:00:1a.7: debug port 1
    [ 0.760989] i8042: Detected active multiplexing controller, rev 1.1
    [ 0.764322] serio: i8042 KBD port at 0x60,0x64 irq 1
    [ 0.764375] serio: i8042 AUX0 port at 0x60,0x64 irq 12
    [ 0.764416] serio: i8042 AUX1 port at 0x60,0x64 irq 12
    [ 0.764455] serio: i8042 AUX2 port at 0x60,0x64 irq 12
    [ 0.764469] ehci-pci 0000:00:1a.7: cache line size of 64 is not supported
    [ 0.764487] ehci-pci 0000:00:1a.7: irq 19, io mem 0xf2a04000
    [ 0.764496] serio: i8042 AUX3 port at 0x60,0x64 irq 12
    [ 0.769729] SCSI subsystem initialized
    [ 0.771540] libata version 3.00 loaded.
    [ 0.773372] ehci-pci 0000:00:1a.7: USB 2.0 started, EHCI 1.00
    [ 0.773646] hub 2-0:1.0: USB hub found
    [ 0.773657] hub 2-0:1.0: 6 ports detected
    [ 0.796797] hub 1-0:1.0: USB hub found
    [ 0.796811] hub 1-0:1.0: 2 ports detected
    [ 0.797077] ehci-pci 0000:00:1d.7: EHCI Host Controller
    [ 0.797086] ehci-pci 0000:00:1d.7: new USB bus registered, assigned bus number 3
    [ 0.797104] ehci-pci 0000:00:1d.7: debug port 1
    [ 0.801001] ehci-pci 0000:00:1d.7: cache line size of 64 is not supported
    [ 0.801026] ehci-pci 0000:00:1d.7: irq 23, io mem 0xf2a04400
    [ 0.810017] ehci-pci 0000:00:1d.7: USB 2.0 started, EHCI 1.00
    [ 0.810266] hub 3-0:1.0: USB hub found
    [ 0.810277] hub 3-0:1.0: 6 ports detected
    [ 0.810637] uhci_hcd 0000:00:1a.1: UHCI Host Controller
    [ 0.810645] uhci_hcd 0000:00:1a.1: new USB bus registered, assigned bus number 4
    [ 0.810654] uhci_hcd 0000:00:1a.1: detected 2 ports
    [ 0.810690] uhci_hcd 0000:00:1a.1: irq 21, io base 0x00001840
    [ 0.810912] hub 4-0:1.0: USB hub found
    [ 0.810922] hub 4-0:1.0: 2 ports detected
    [ 0.811160] uhci_hcd 0000:00:1a.2: UHCI Host Controller
    [ 0.811169] uhci_hcd 0000:00:1a.2: new USB bus registered, assigned bus number 5
    [ 0.811178] uhci_hcd 0000:00:1a.2: detected 2 ports
    [ 0.811202] uhci_hcd 0000:00:1a.2: irq 19, io base 0x00001860
    [ 0.811580] hub 5-0:1.0: USB hub found
    [ 0.811590] hub 5-0:1.0: 2 ports detected
    [ 0.811840] uhci_hcd 0000:00:1d.0: UHCI Host Controller
    [ 0.811847] uhci_hcd 0000:00:1d.0: new USB bus registered, assigned bus number 6
    [ 0.811857] uhci_hcd 0000:00:1d.0: detected 2 ports
    [ 0.811879] uhci_hcd 0000:00:1d.0: irq 23, io base 0x00001880
    [ 0.812130] hub 6-0:1.0: USB hub found
    [ 0.812140] hub 6-0:1.0: 2 ports detected
    [ 0.812412] uhci_hcd 0000:00:1d.1: UHCI Host Controller
    [ 0.812422] uhci_hcd 0000:00:1d.1: new USB bus registered, assigned bus number 7
    [ 0.812431] uhci_hcd 0000:00:1d.1: detected 2 ports
    [ 0.812458] uhci_hcd 0000:00:1d.1: irq 19, io base 0x000018a0
    [ 0.812718] hub 7-0:1.0: USB hub found
    [ 0.812728] hub 7-0:1.0: 2 ports detected
    [ 0.813015] uhci_hcd 0000:00:1d.2: UHCI Host Controller
    [ 0.813023] uhci_hcd 0000:00:1d.2: new USB bus registered, assigned bus number 8
    [ 0.813033] uhci_hcd 0000:00:1d.2: detected 2 ports
    [ 0.813072] uhci_hcd 0000:00:1d.2: irq 18, io base 0x000018c0
    [ 0.813371] hub 8-0:1.0: USB hub found
    [ 0.813381] hub 8-0:1.0: 2 ports detected
    [ 0.813569] ata_piix 0000:00:1f.2: version 2.13
    [ 0.813680] ata_piix 0000:00:1f.2: MAP [ P0 -- P1 -- ]
    [ 0.816969] scsi0 : ata_piix
    [ 0.817145] scsi1 : ata_piix
    [ 0.817232] ata1: SATA max UDMA/133 cmd 0x1f0 ctl 0x3f6 bmdma 0x18e0 irq 14
    [ 0.817238] ata2: SATA max UDMA/133 cmd 0x170 ctl 0x376 bmdma 0x18e8 irq 15
    [ 0.842971] input: AT Translated Set 2 keyboard as /devices/platform/i8042/serio0/input/input0
    [ 1.116709] usb 3-6: new high-speed USB device number 2 using ehci-pci
    [ 1.290069] ata2: SATA link up 1.5 Gbps (SStatus 113 SControl 300)
    [ 1.290196] ata1: SATA link up 3.0 Gbps (SStatus 123 SControl 300)
    [ 1.297007] ata2.00: ATAPI: MATSHITADVD-RAM UJ8A0A, SB31, max UDMA/100
    [ 1.297157] ata1.00: ATA-8: WDC WD2500BEVT-08A23T1, 02.01A02, max UDMA/133
    [ 1.297160] ata1.00: 488397168 sectors, multi 16: LBA48 NCQ (depth 0/32)
    [ 1.310274] ata2.00: configured for UDMA/100
    [ 1.310518] ata1.00: configured for UDMA/133
    [ 1.310653] scsi 0:0:0:0: Direct-Access ATA WDC WD2500BEVT-0 02.0 PQ: 0 ANSI: 5
    [ 1.314042] scsi 1:0:0:0: CD-ROM MATSHITA DVD-RAM UJ8A0A SB31 PQ: 0 ANSI: 5
    [ 1.330035] tsc: Refined TSC clocksource calibration: 2094.749 MHz
    [ 1.330632] sd 0:0:0:0: [sda] 488397168 512-byte logical blocks: (250 GB/232 GiB)
    [ 1.330736] sd 0:0:0:0: [sda] Write Protect is off
    [ 1.330740] sd 0:0:0:0: [sda] Mode Sense: 00 3a 00 00
    [ 1.330778] sd 0:0:0:0: [sda] Write cache: enabled, read cache: enabled, doesn't support DPO or FUA
    [ 1.339509] sr0: scsi3-mmc drive: 24x/24x writer dvd-ram cd/rw xa/form2 cdda tray
    [ 1.339512] cdrom: Uniform CD-ROM driver Revision: 3.20
    [ 1.339697] sr 1:0:0:0: Attached scsi CD-ROM sr0
    [ 1.410766] sda: sda1 sda2 sda3 sda4 < sda5 sda6 >
    [ 1.411402] sd 0:0:0:0: [sda] Attached SCSI disk
    [ 2.330087] Switched to clocksource tsc
    [ 2.977672] random: nonblocking pool is initialized
    [ 4.813882] EXT4-fs (sda2): mounted filesystem with ordered data mode. Opts: (null)
    [ 5.660514] systemd[1]: systemd 215 running in system mode. (+PAM -AUDIT -SELINUX -IMA -SYSVINIT +LIBCRYPTSETUP +GCRYPT +ACL +XZ +SECCOMP -APPARMOR)
    [ 5.660690] systemd[1]: Detected architecture 'x86'.
    [ 5.713519] systemd[1]: Set hostname to <Thinkpad-SL510>.
    [ 7.304701] systemd[1]: Starting Forward Password Requests to Wall Directory Watch.
    [ 7.304780] systemd[1]: Started Forward Password Requests to Wall Directory Watch.
    [ 7.304796] systemd[1]: Starting Remote File Systems.
    [ 7.305131] systemd[1]: Reached target Remote File Systems.
    [ 7.305165] systemd[1]: Starting Arbitrary Executable File Formats File System Automount Point.
    [ 7.305725] systemd[1]: Set up automount Arbitrary Executable File Formats File System Automount Point.
    [ 7.305745] systemd[1]: Starting Encrypted Volumes.
    [ 7.306028] systemd[1]: Reached target Encrypted Volumes.
    [ 7.306050] systemd[1]: Starting Dispatch Password Requests to Console Directory Watch.
    [ 7.306094] systemd[1]: Started Dispatch Password Requests to Console Directory Watch.
    [ 7.306107] systemd[1]: Starting Paths.
    [ 7.306343] systemd[1]: Reached target Paths.
    [ 7.306360] systemd[1]: Expecting device dev-disk-by\x2duuid-0da676d3\x2de00d\x2d4408\x2da0e4\x2d61af4ccfed22.device...
    [ 7.306889] systemd[1]: Expecting device dev-disk-by\x2duuid-37e41bc7\x2daf4c\x2d4c7f\x2d97ff\x2decc785cc6263.device...
    [ 7.307389] systemd[1]: Expecting device dev-disk-by\x2duuid-6692aca0\x2d5948\x2d4835\x2dadb5\x2d51941a76128f.device...
    [ 7.307887] systemd[1]: Expecting device dev-disk-by\x2duuid-8829a0cf\x2da620\x2d438d\x2d8d1a\x2de386af97280f.device...
    [ 7.308384] systemd[1]: Starting Root Slice.
    [ 7.315232] systemd[1]: Created slice Root Slice.
    [ 7.315253] systemd[1]: Starting User and Session Slice.
    [ 7.315767] systemd[1]: Created slice User and Session Slice.
    [ 7.315784] systemd[1]: Starting Delayed Shutdown Socket.
    [ 7.316114] systemd[1]: Listening on Delayed Shutdown Socket.
    [ 7.316130] systemd[1]: Starting /dev/initctl Compatibility Named Pipe.
    [ 7.316519] systemd[1]: Listening on /dev/initctl Compatibility Named Pipe.
    [ 7.316536] systemd[1]: Starting Device-mapper event daemon FIFOs.
    [ 7.316926] systemd[1]: Listening on Device-mapper event daemon FIFOs.
    [ 7.316943] systemd[1]: Starting Journal Socket (/dev/log).
    [ 7.317282] systemd[1]: Listening on Journal Socket (/dev/log).
    [ 7.317297] systemd[1]: Starting LVM2 metadata daemon socket.
    [ 7.317631] systemd[1]: Listening on LVM2 metadata daemon socket.
    [ 7.317651] systemd[1]: Starting udev Kernel Socket.
    [ 7.317945] systemd[1]: Listening on udev Kernel Socket.
    [ 7.317963] systemd[1]: Starting udev Control Socket.
    [ 7.318263] systemd[1]: Listening on udev Control Socket.
    [ 7.318284] systemd[1]: Starting Journal Socket.
    [ 7.318577] systemd[1]: Listening on Journal Socket.
    [ 7.318611] systemd[1]: Starting System Slice.
    [ 7.319093] systemd[1]: Created slice System Slice.
    [ 7.319121] systemd[1]: Started File System Check on Root Device.
    [ 7.319134] systemd[1]: Starting system-systemd\x2dfsck.slice.
    [ 7.319690] systemd[1]: Created slice system-systemd\x2dfsck.slice.
    [ 7.346175] systemd[1]: Mounting Temporary Directory...
    [ 7.355475] systemd[1]: Starting system-getty.slice.
    [ 7.356130] systemd[1]: Created slice system-getty.slice.
    [ 7.405020] systemd[1]: Started Set Up Additional Binary Formats.
    [ 7.405060] systemd[1]: Starting Setup Virtual Console...
    [ 7.434270] systemd[1]: Starting Load Kernel Modules...
    [ 7.435152] systemd[1]: Mounting Huge Pages File System...
    [ 7.450675] systemd[1]: Starting Create list of required static device nodes for the current kernel...
    [ 7.451757] systemd[1]: Mounting POSIX Message Queue File System...
    [ 7.452682] systemd[1]: Mounting Debug File System...
    [ 7.453572] systemd[1]: Starting udev Coldplug all Devices...
    [ 7.454542] systemd[1]: Starting Journal Service...
    [ 7.455770] systemd[1]: Started Journal Service.
    [ 8.017658] vboxdrv: Found 2 processor cores.
    [ 8.017849] vboxdrv: fAsync=0 offMin=0x19a offMax=0x113a
    [ 8.017936] vboxdrv: TSC mode is 'synchronous', kernel timer mode is 'normal'.
    [ 8.017938] vboxdrv: Successfully loaded version 4.3.12_OSE (interface 0x001a0007).
    [ 8.066565] EXT4-fs (sda2): re-mounted. Opts: (null)
    [ 8.453787] systemd-udevd[137]: starting version 215
    [ 9.297221] Monitor-Mwait will be used to enter C-1 state
    [ 9.297230] Monitor-Mwait will be used to enter C-2 state
    [ 9.297235] tsc: Marking TSC unstable due to TSC halts in idle
    [ 9.297251] ACPI: acpi_idle registered with cpuidle
    [ 9.297798] Switched to clocksource hpet
    [ 9.397577] input: Lid Switch as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0C0D:00/input/input5
    [ 9.398331] ACPI: Lid Switch [LID]
    [ 9.398442] input: Power Button as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0C0C:00/input/input6
    [ 9.398448] ACPI: Power Button [PWRB]
    [ 9.398520] input: Sleep Button as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0C0E:00/input/input7
    [ 9.398523] ACPI: Sleep Button [SLPB]
    [ 9.398594] input: Power Button as /devices/LNXSYSTM:00/LNXPWRBN:00/input/input8
    [ 9.398597] ACPI: Power Button [PWRF]
    [ 9.714253] thermal LNXTHERM:00: registered as thermal_zone0
    [ 9.714258] ACPI: Thermal Zone [TZ00] (38 C)
    [ 9.788226] shpchp: Standard Hot Plug PCI Controller Driver version: 0.4
    [ 10.107244] r8169 Gigabit Ethernet driver 2.3LK-NAPI loaded
    [ 10.107258] r8169 0000:08:00.0: can't disable ASPM; OS doesn't have ASPM control
    [ 10.107608] r8169 0000:08:00.0: irq 46 for MSI/MSI-X
    [ 10.107894] r8169 0000:08:00.0 eth0: RTL8102e at 0xf8e0e000, 60:eb:69:df:fc:5b, XID 04c00000 IRQ 46
    [ 10.138235] snd_hda_intel 0000:00:1b.0: irq 47 for MSI/MSI-X
    [ 10.151012] Linux agpgart interface v0.103
    [ 10.156788] sound hdaudioC0D0: autoconfig: line_outs=1 (0x14/0x0/0x0/0x0/0x0) type:speaker
    [ 10.156794] sound hdaudioC0D0: speaker_outs=0 (0x0/0x0/0x0/0x0/0x0)
    [ 10.156797] sound hdaudioC0D0: hp_outs=1 (0x15/0x0/0x0/0x0/0x0)
    [ 10.156799] sound hdaudioC0D0: mono: mono_out=0x0
    [ 10.156801] sound hdaudioC0D0: inputs:
    [ 10.156804] sound hdaudioC0D0: Mic=0x18
    [ 10.156807] sound hdaudioC0D0: Internal Mic=0x12
    [ 10.187737] ACPI Warning: SystemIO range 0x00000428-0x0000042f conflicts with OpRegion 0x00000400-0x0000047f (\PMIO) (20140214/utaddress-258)
    [ 10.187746] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 10.187751] ACPI Warning: SystemIO range 0x000011b0-0x000011bf conflicts with OpRegion 0x00001180-0x000011ff (\GPIO) (20140214/utaddress-258)
    [ 10.187755] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 10.187757] ACPI Warning: SystemIO range 0x00001180-0x000011af conflicts with OpRegion 0x00001180-0x000011ff (\GPIO) (20140214/utaddress-258)
    [ 10.187760] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 10.187762] lpc_ich: Resource conflict(s) found affecting gpio_ich
    [ 10.200980] ACPI: Battery Slot [BAT1] (battery present)
    [ 10.307840] [drm] Initialized drm 1.1.0 20060810
    [ 10.331834] input: HDA Digital PCBeep as /devices/pci0000:00/0000:00:1b.0/sound/card0/hdaudioC0D0/input9
    [ 10.332165] input: HDA Intel Mic as /devices/pci0000:00/0000:00:1b.0/sound/card0/input10
    [ 10.332219] input: HDA Intel Headphone as /devices/pci0000:00/0000:00:1b.0/sound/card0/input11
    [ 10.332274] input: HDA Intel HDMI/DP,pcm=3 as /devices/pci0000:00/0000:00:1b.0/sound/card0/input12
    [ 10.346048] agpgart-intel 0000:00:00.0: Intel GM45 Chipset
    [ 10.346167] agpgart-intel 0000:00:00.0: detected gtt size: 2097152K total, 262144K mappable
    [ 10.346796] agpgart-intel 0000:00:00.0: detected 131072K stolen memory
    [ 10.346977] agpgart-intel 0000:00:00.0: AGP aperture is 256M @ 0xd0000000
    [ 10.403254] ACPI Warning: SystemIO range 0x00001c00-0x00001c1f conflicts with OpRegion 0x00001c00-0x00001c0f (\_SB_.PCI0.SBUS.SMBI) (20140214/utaddress-258)
    [ 10.403262] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 10.407145] ACPI: AC Adapter [ACAD] (on-line)
    [ 10.407653] wmi: Mapper loaded
    [ 10.462739] Non-volatile memory driver v1.3
    [ 10.483086] cfg80211: Calling CRDA to update world regulatory domain
    [ 10.511461] thinkpad_acpi: ThinkPad ACPI Extras v0.25
    [ 10.511465] thinkpad_acpi: http://ibm-acpi.sf.net/
    [ 10.511467] thinkpad_acpi: ThinkPad BIOS 6JET85WW (1.43 ), EC 6JHT66WW-1.186000
    [ 10.511469] thinkpad_acpi: Lenovo ThinkPad SL510, model 2847A65
    [ 10.513121] thinkpad_acpi: detected a 16-level brightness capable ThinkPad
    [ 10.517198] thinkpad_acpi: radio switch found; radios are enabled
    [ 10.517210] thinkpad_acpi: possible tablet mode switch found; ThinkPad in laptop mode
    [ 10.517319] thinkpad_acpi: This ThinkPad has standard ACPI backlight brightness control, supported by the ACPI video driver
    [ 10.517321] thinkpad_acpi: Disabling thinkpad-acpi brightness events by default...
    [ 10.518287] thinkpad_acpi: asked for hotkey mask 0x078c7fff, but firmware forced it to 0x008c7fff
    [ 10.617843] thinkpad_acpi: Standard ACPI backlight interface available, not loading native one
    [ 10.617954] thinkpad_acpi: Console audio control enabled, mode: monitor (read only)
    [ 10.640485] input: ThinkPad Extra Buttons as /devices/platform/thinkpad_acpi/input/input17
    [ 10.717742] microcode: CPU0 sig=0x1067a, pf=0x80, revision=0xa0b
    [ 10.928161] media: Linux media interface: v0.10
    [ 11.006082] iTCO_vendor_support: vendor-support=0
    [ 11.008425] Linux video capture interface: v2.00
    [ 11.015257] iTCO_wdt: Intel TCO WatchDog Timer Driver v1.11
    [ 11.015302] iTCO_wdt: Found a ICH9M TCO device (Version=2, TCOBASE=0x0460)
    [ 11.015485] iTCO_wdt: initialized. heartbeat=30 sec (nowayout=0)
    [ 11.050172] systemd-udevd[146]: renamed network interface eth0 to enp8s0
    [ 11.084784] microcode: CPU1 sig=0x1067a, pf=0x80, revision=0xa0b
    [ 11.084877] microcode: Microcode Update Driver: v2.00 <[email protected]>, Peter Oruba
    [ 11.401469] [drm] Memory usable by graphics device = 2048M
    [ 11.401476] checking generic (d0000000 300000) vs hw (d0000000 10000000)
    [ 11.401478] fb: switching to inteldrmfb from VESA VGA
    [ 11.401504] Console: switching to colour dummy device 80x25
    [ 11.423441] i915 0000:00:02.0: irq 48 for MSI/MSI-X
    [ 11.423454] [drm] Supports vblank timestamp caching Rev 2 (21.10.2013).
    [ 11.423456] [drm] Driver supports precise vblank timestamp query.
    [ 11.423531] vgaarb: device changed decodes: PCI:0000:00:02.0,olddecodes=io+mem,decodes=io+mem:owns=io+mem
    [ 11.474103] rtl8192se: FW Power Save off (module option)
    [ 11.474191] rtl8192se: Driver for Realtek RTL8192SE/RTL8191SE
    Loading firmware rtlwifi/rtl8192sefw.bin
    [ 11.539577] fbcon: inteldrmfb (fb0) is primary device
    [ 11.568063] psmouse serio4: synaptics: Touchpad model: 1, fw: 7.2, id: 0x1c0b1, caps: 0xd047b3/0xb40000/0xa0000, board id: 71, fw id: 578367
    [ 11.568068] psmouse serio4: synaptics: serio: Synaptics pass-through port at isa0060/serio4/input0
    [ 11.625453] input: SynPS/2 Synaptics TouchPad as /devices/platform/i8042/serio4/input/input16
    [ 11.649292] mousedev: PS/2 mouse device common for all mice
    [ 11.819295] uvcvideo: Found UVC 1.00 device Integrated Camera (17ef:481c)
    [ 11.832647] input: Integrated Camera as /devices/pci0000:00/0000:00:1d.7/usb3/3-6/3-6:1.0/input/input19
    [ 11.832785] usbcore: registered new interface driver uvcvideo
    [ 11.832786] USB Video Class driver (1.1.1)
    [ 11.900636] ieee80211 phy0: Selected rate control algorithm 'rtl_rc'
    [ 11.912613] systemd-udevd[144]: renamed network interface wlan0 to wlp5s0
    [ 12.173403] Console: switching to colour frame buffer device 170x48
    [ 12.178613] i915 0000:00:02.0: fb0: inteldrmfb frame buffer device
    [ 12.178615] i915 0000:00:02.0: registered panic notifier
    [ 12.191803] ACPI: Video Device [GFX0] (multi-head: yes rom: no post: no)
    [ 12.193501] acpi device:06: registered as cooling_device2
    [ 12.193604] input: Video Bus as /devices/LNXSYSTM:00/LNXSYBUS:00/PNP0A08:00/LNXVIDEO:01/input/input20
    [ 12.193997] [drm] Initialized i915 1.6.0 20080730 for 0000:00:02.0 on minor 0
    [ 12.246859] Adding 2097148k swap on /dev/sda3. Priority:-1 extents:1 across:2097148k FS
    [ 13.644561] EXT4-fs (sda1): mounted filesystem with ordered data mode. Opts: (null)
    [ 13.954050] EXT4-fs (sda6): mounted filesystem with ordered data mode. Opts: (null)
    [ 14.071585] EXT4-fs (sda5): mounted filesystem with ordered data mode. Opts: (null)
    [ 14.166537] systemd-journald[114]: Received request to flush runtime journal from PID 1
    [ 16.054096] psmouse serio5: alps: Unknown ALPS touchpad: E7=10 00 64, EC=10 00 64
    [ 16.358428] psmouse serio5: hgpk: ID: 10 00 64
    [ 18.270058] psmouse serio5: trackpoint: IBM TrackPoint firmware: 0x0e, buttons: 3/3
    [ 18.588710] input: TPPS/2 IBM TrackPoint as /devices/platform/i8042/serio4/serio5/input/input18
    [ 20.986088] IPv6: ADDRCONF(NETDEV_UP): wlp5s0: link is not ready
    [ 20.997921] r8169 0000:08:00.0 enp8s0: link down
    [ 20.997967] IPv6: ADDRCONF(NETDEV_UP): enp8s0: link is not ready
    [ 23.204726] wlp5s0: authenticate with 8c:21:0a:77:4c:32
    [ 23.231917] wlp5s0: send auth to 8c:21:0a:77:4c:32 (try 1/3)
    [ 23.233796] wlp5s0: authenticated
    [ 23.237347] wlp5s0: associate with 8c:21:0a:77:4c:32 (try 1/3)
    [ 23.241118] wlp5s0: RX AssocResp from 8c:21:0a:77:4c:32 (capab=0x431 status=0 aid=3)
    [ 23.242837] wlp5s0: associated
    [ 23.242852] IPv6: ADDRCONF(NETDEV_CHANGE): wlp5s0: link becomes ready
    [ 23.407416] wlp5s0: deauthenticating from 8c:21:0a:77:4c:32 by local choice (Reason: 2=PREV_AUTH_NOT_VALID)
    [ 23.443391] cfg80211: Calling CRDA for country: US
    [ 23.443467] wlp5s0: authenticate with 8c:21:0a:77:4c:32
    [ 23.463399] wlp5s0: send auth to 8c:21:0a:77:4c:32 (try 1/3)
    [ 23.465298] wlp5s0: authenticated
    [ 23.466930] wlp5s0: associate with 8c:21:0a:77:4c:32 (try 1/3)
    [ 23.471099] wlp5s0: RX AssocResp from 8c:21:0a:77:4c:32 (capab=0x431 status=0 aid=3)
    [ 23.472786] wlp5s0: associated
    [ 391.317544] [drm] HPD interrupt storm detected on connector DP-2: switching from hotplug detection to polling
    [ 495.430421] perf interrupt took too long (2517 > 2495), lowering kernel.perf_event_max_sample_rate to 50100
    [ 526.290766] [drm] HPD interrupt storm detected on connector DP-2: switching from hotplug detection to polling
    [ 646.953268] [drm] HPD interrupt storm detected on connector DP-2: switching from hotplug detection to polling
    [ 767.198414] [drm] HPD interrupt storm detected on connector DP-2: switching from hotplug detection to polling
    Last edited by jazzi (2014-07-31 12:22:09)

    jazzi wrote:Sometimes the computer will freeze when booting into start virtual console.
    Gotta to use the power button to shut down, normally it will boot successfully followingby.
    Before is ok, can't remember when this problem show up.
    Don't know where to go, please give me a hint.
    You have to give us a hint.
    What is your processor?
    How much RAM have you?
    What is your video card/ship set?
    What kernel are you running?
    I spotted this in your dump:
    [drm] HPD interrupt storm detected on connector DP-2: switching from hotplug detection to polling
    In this case, drm means Direct Rendering Management and has to do with your Video subsystem.  An interrupt is where the hardware sends a signal to the processor that something has happened that requires the urgent attention of the processor.  The kernel is protesting that the hardware is barraging it with interrupt requests.

  • Application didnt start just says application error when starting...

    hi guys i have an application made wiht netbeans, in netbeans it works well with the virtual cell phone, but when i install the application on a sonyericsson w810i it just says that there is an error :S, i just add some screens before making a little more complex the application worked well in the cell phone, is there a way to know what is happening in netbeans i just make a trace but in the cell phone how can i know wich is the problem?

    i didn't really understand:
    you can install the application and when you launch it, it freezes or you cannot install the
    application?

  • Application freezes when loading amCharts-component on AIR 3.9 in iOS devices

    Hello,
    I'm having problems with amCharts component, for it works fine with AIR 3.6 -version, but when I updated AIR SDK to 3.9 it stopped working. When chart should be loaded, application just freezes. It won't work even if chart's dataprovider and series are removed, application freezes everytime when chart should be loaded. Therefore problem can't be that amCharts component was too "heavy". In Android devices amCharts works fine with AIR 3.9, so this problem appears only in iOS.
    Hopefully someone finds out what causes the problem.

    Hi,
    Could you please open a new bug report on this over at https://bugbase.adobe.com?  When adding the bug, please include your sample code or a sample application so we can quickly test this out internally.
    Once added, please post back with the URL so that others effected can add their comments and votes.  I'll also give the mobile team a heads up. 
    Thanks
    -Bo

  • Cannot start 2nd form on same application server when starting script in 1s

    Hello,
    we have a forms application running on a productive application server and the same application for different testing db's on a test application server.
    Within this application I can start a stored procedure that writes a spreadsheet via utl_file. Depending on the parameters used this might last 1 - 2 hours. When I start the procedure the forms application is blocked as expected until the procedure is finished. This would be no problem if there wouldn't happen a strange thing to some users: When they start the procedure every forms application on the same application server is blocked. This means they can work in production when they start the procedure in test environment but they can not open another test application and vice versa.
    As this only happens to some users (yet always the same) I'm lost where I have to search. I found no differences on the client machines, these are installed by a central administration tool.
    Has anyone an idea where I can start searching?
    Regards
    Marcus
    Forms 9.0 (Form Compiler) Version 9.0.4.3.0 (Production)
    Oracle Database 10g Enterprise Edition Release 10.2.0.2.0 - 64bit Production
    With the Partitioning, OLAP and Data Mining options
    PL/SQL Version 9.0.1.5.0 (Production)
    Oracle Procedure Builder V9.0.4.3.0 Build #0 - Production
    Oracle Virtual Graphics System Version 9.0.1.11.0 (Production)
    Oracle Multimedia Version 9.0.4.1.0 (Production)
    Integration der Oracle-Werkzeuge Version 9.0.4.0.0 (Production)
    Oracle Tools Common Area Version 9.0.2.12.0
    Oracle CORE     9.0.1.2.0     Production

    Hello,
    I first wondered why this is happening only to some users. Now I found that it depends on the habit how the application is called.
    The applications are called from IE with separateFrame=TRUE.
    While I have a link in my XP start menue for every application and therefore start IE anew every time, other users use a website which has the same links. The difference I saw is, that I get a Java console for every application, whereas applications started from the same instance of IE share the same Java console.
    So now we have a workaround (start IE again) but I still don't know why this is happening at all.
    Regards
    Marcus

  • Message application freezing when adding new contact from the messages application

    if someone is sending the message with the phone number included in the text, i touch the number and whait till options will pops up, choosing create new contact and ok. then the messages application freezes for a long time... few minutes. have to double press the home button and switch of the message app from the background. So have to start message app again to be able to use it. How to sort this? Its happening more than one year and have changed few phones already.

    Snow Leopard and iCloud compatibility is very limited, and it may be that the phone's OS requires iCloud for the syncing:
    https://discussions.apple.com/docs/DOC-2551
    I would enquire in the iOS forums to find out if there is a way without iCloud now to sync.

  • Many applications freeze when using right-click

    Since Apple changed my HDD and reinstall OSX 10.8, I have many applications (Office 2011, Skype, iMovie, etc.) which freeze when I try to use the right-click on the Magic Mouse. I even tried to use a regular mouse (USB) with the same result.
    Thank you,

    Please read this whole message before doing anything.
    This procedure is a test, not a solution. Don’t be disappointed when you find that nothing has changed after you complete it.
    Step 1
    The purpose of this step is to determine whether the problem is localized to your user account.
    Enable guest logins* and log in as Guest. Don't use the Safari-only “Guest User” login created by “Find My Mac.”
    While logged in as Guest, you won’t have access to any of your personal files or settings. Applications will behave as if you were running them for the first time. Don’t be alarmed by this; it’s normal. If you need any passwords or other personal data in order to complete the test, memorize, print, or write them down before you begin.
    Test while logged in as Guest. Same problem?
    After testing, log out of the guest account and, in your own account, disable it if you wish. Any files you created in the guest account will be deleted automatically when you log out of it.
    *Note: If you’ve activated “Find My Mac” or FileVault, then you can’t enable the Guest account. The “Guest User” login created by “Find My Mac” is not the same. Create a new account in which to test, and delete it, including its home folder, after testing.
    Step 2
    The purpose of this step is to determine whether the problem is caused by third-party system modifications that load automatically at startup or login, or by a peripheral device.
    Disconnect all wired peripherals except those needed for the test, and remove all aftermarket expansion cards. Boot in safe mode and log in to the account with the problem. Note: If FileVault is enabled, or if a firmware password is set, or if the boot volume is a software RAID, you can’t do this. Post for further instructions.
    Safe mode is much slower to boot and run than normal, and some things won’t work at all, including wireless networking on certain Macs.  The next normal boot may also be somewhat slow.
    The login screen appears even if you usually log in automatically. You must know your login password in order to log in. If you’ve forgotten the password, you will need to reset it before you begin.
    Test while in safe mode. Same problem?
    After testing, reboot as usual (i.e., not in safe mode) and verify that you still have the problem. Post the results of steps 1 and 2.

  • Applications freeze when opened

    I am not sure when this started happening because I haven't used any of these applications in about a month, but none of my mac applications are working. ichat, address book, mac mail, software update, safari, system preferences... When I try to use them, they either freeze as soon as they open, or dont open at all. I have no idea what the problem is. Can someone please help me out? Thanks alot.

    Hi,
    Can you recall if you installed or removed any fonts in the past month? All the applications you mentioned can be sensitive to fonts changes.
    Check in Font Book to see if you have any duplicates and resolve them via the Edit menu if needed.
    Have a read of this article for general font information in Mac OS X (it's a rather lengthy article so you may want to grab a cup of coffee beforehand
    Font Management in Mac OS X Tiger and Panther
    Let us know how you get on.

  • "The Application was unable to start correctly (0xc000007b). Click OK to close the application" error when starting Visual Studio Community

    Hi,
    I just installed Visual Studio and when I launch it, the following error pops up: "The Application was unable to start correctly (0xc000007b). Click OK to close the application". I tried searching online but no usable results. Please help!
    jd

    Hi,
    There is not enough information about the problem. For troubleshooting, I recommend you can use Process Monitor to detect whether there's any process failed.
    You can download Process Monitor and see how to use it for troubleshooting in below links:
    http://support.microsoft.com/kb/939896
    http://blogs.technet.com/b/askperf/archive/2007/06/01/troubleshooting-with-process-monitor.aspx
    There are a lot of log entries in Process Monitor, you may filter Visual Studio process only(proces = devenv.exe). And you can upload the logs to OneDrive so that we can investigate them.
    Also, you can refer to Gfazil's post in 
    https://social.msdn.microsoft.com/Forums/vstudio/en-US/96035692-9a50-40d4-a7d3-48bda87d11ec/the-application-was-unable-to-start-correctly-0xc000007b-click-ok-to-close-the-application-when?forum=vssetup
    Please try the method he mentioned to see whether the problem can occur:
    " Replacing the dlls mentioned below from a machine that is working solves the problem:
    c:\Windows\SysWOW64\msvcp100.dll
    c:\Windows\SysWOW64\msvcp100d.dll
    c:\Windows\SysWOW64\msvcr100.dll
    c:\Windows\SysWOW64\msvcr100_clr0400.dll
    c:\Windows\SysWOW64\msvcr100d.dll "
    Best Wishes!
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place. <br/> Click <a
    href="http://support.microsoft.com/common/survey.aspx?showpage=1&scid=sw%3Ben%3B3559&theme=tech"> HERE</a> to participate the survey.

  • 60+ Second Freezes when starting ASIO Applicati

    Hi, I'm having a problem with my Audigy2 ZS - it seems that every time the ASIO driver initializes, my PC freezes COMPLETELY (even the mouse) for about 30-90 seconds. After that, it goes back to normal. I've got the newest drivers installed and the applications in question are Guitar Rig 2 and Cubase SX 3.
    Any suggestions?
    I'm running Windows XP Pro SP2 on an A64X2 3800+ with 2 gigs of RAM, if that hel
    ps.
    Thanks in advance!

    Yes I think that's it. The Play > Pause trick didn't work on my source device, but what does work, is if I have two or more seconds of silence at the start of a track, is to press the RECORD button in Audition the moment PatchMix's "LOCK" indicator lights up. (I just put Audition and Patchmix on the screen, side by side.)
    Unfortunately some discs have only 1 second or so at the start of the first track, so that doesn't work then. Audition seems to need at least 1 to 2 seconds (at least in Edit mode) to initiate the recording after pressing the RECORD button. Would be nice to reduce that latency, if there are any tricks - maybe using Multitrack mode?

  • Ichat 3.1.8 freeze when starting videoconversation

    I have used ichat videoconversation for over 8 months now and all of a sudden it stopped working. I haven't done a thing.
    I can see and hear the other person and he can hear me but my pic freeze just when the chat starts.
    I have a pc with aim 5.5 and with that one I can videochat with other persons. It's just my Imac that don't work.
    I also have portforward the right port and tried port 443.
    I also have a netgear wgr 614v6

    Hi Tomas,
    Did I read in another thread that you have a Thomson-Alcatel SpeedTouch modem ?
    Can you tell us which model and which firmware it is running ?
    With some of their range it can get intermittent results.
    Out of 50 Buddies you get about 10 you cna contact all the time, a similar number of now and then contact and about 30 who you can never contact.
    If you Buddy list is much smaller you may not have noticed this.
    Also things are subject to change when the OS is updated or Upgraded.
    Can you also tell us which device is doing DHCP ?
    11:11 PM Friday; November 9, 2007

  • Out of application memory when starting iPhoto

    i get a "out of application memory" notification when trying to start iPhoto

    Curious. How much Ram on that machine?

  • Firefox freezes when starting a download

    When I start a download and choose the destination, Firefox freezes for about 2-3 seconds before starting to download. In that time, Firefox doesn't respond and acts like it crashed.
    My computer is completely new, running Win8.1 64Bit from an SSD, Core i5 Quad, 8GB Ram and Avast Antivir. FF is configured to clear the cache everytime I exit.
    It's almost the same as in https://support.mozilla.org/en-US/questions/937267 but in my case, every download makes FF freeze, not only the first.
    I already tried deactivating the Web Protection of Avast and the integrated scanning feature of Firefox but this didn't solve the problem.

    Try using DownThemAll, a Firefox addon, it works perfect.

Maybe you are looking for

  • Function module to get Conditions based on Customer & Material

    Hi, Is there any function module such that the list of conditions are displayed, based on Customer & Material given? Thnx in advance, Shivaa.....

  • Trouble with websites

    Some websites are not loading for me. why is this, i know it's this computer because i have no issues on my other windows computer. also how do you refresh a page?

  • ITunes crashes when connecting iPad or iPhone

    iTunes crashes when i connect iPad or iPhone.  Running OSX 10.9.3 and the most up to date iTunes version?

  • Consume web service shows error

    com.sap.exception.BaseRuntimeException: Cannot determine host from URL: http://zzyt-pc001033.ZZYT.com:50100.     at com.sap.engine.services.webservices.server.management.discovery.DestinationsResolver.setProxySettings(DestinationsResolver.java:242)  

  • Help with various conundrums...

    Hello, thanks for reading my thread! Anyway, I'm in the process of converting all my guff into .pdf format. .djvu, .doc, .rtf, .html, .chm (GRRRRRRRRR!!!), .mht, .cbr, you name it, i am converting it to pdf. And I'm nearly done...but i have some ques