Atinav stack initialization

Hello.
I'm trying to send a file between 2 computers using belkin usb modules. Also i'm using the atinav software. the client searches for devices, discovers the server and then sends the file to it. it's over l2cap . it works fine.
now i want to do it with a phone acting as a server.
to prove the communication i found the code of a chat application and i have to use the java wireless toolkit to emulate the cellphones. fine so far.
the problem comes when i want to chat to another pc: emulate one phone on one pc and the other phone on the other pc.
I don't know how to make the Eclipse (i'm using the EclipseMe plugin) or the midlet code to see the usb bluetooth module. i don't know how to initilizate the atinav stack.
if anyone can help it woul be great. if i can't do it with the chat i won't be able to do it with my file transfer code.
the chat code is here. it's an example from Symbian.com
thanks in advance
// Copyright (c) 2004 Symbian Software Ltd
// For license terms see http://www.symbian.com/developer/techlib/codelicense.html
import javax.microedition.midlet.*;
import javax.microedition.lcdui.*;
import javax.microedition.io.*;
import javax.bluetooth.*;
import java.io.*;
* Main controller for application. Extends MIDlet and implements lifecycle methods.
* Provides application UI, Controls whether MIDlet acts as Server or client
public class ChatController extends MIDlet implements CommandListener {
private static final String UUID_STRING = "11112233445566778899AABBCCDDEEFF";
private Display display;
private Form mainUI;
private StringItem status = new StringItem("status:", null);
private TextField incoming = new TextField("Incoming", "", 256, TextField.ANY);
private TextField outgoing = new TextField("Outgoing", "", 256, TextField.ANY);
private ChoiceGroup devices = new ChoiceGroup(null, Choice.EXCLUSIVE);
private Command exitCommand = new Command("Exit", Command.EXIT, 2);
private Command startCommand = new Command("Start server", Command.SCREEN, 1);
private Command connectCommand = new Command("Connect to server", Command.SCREEN, 1);
private Command sendCommand = new Command("Send", Command.SCREEN, 1);
private Command selectCommand = new Command("Select", Command.SCREEN, 1);
private LocalDevice localDevice;
private DiscoveryAgent agent;
private L2CAPConnection conn;
private RemoteDevice[] remoteDevices;
private boolean running = false;
public ChatController() {
display = Display.getDisplay(this);
mainUI = new Form("Chat");
mainUI.append(status);
mainUI.setCommandListener(this);
mainUI.addCommand(exitCommand);
public void startApp() {
running = true;
mainUI.addCommand(startCommand);
mainUI.addCommand(connectCommand);
display.setCurrent(mainUI);
try{
localDevice = LocalDevice.getLocalDevice();
agent = localDevice.getDiscoveryAgent();
}catch(BluetoothStateException bse){
status.setText("Bluetooth Exception: " + "Unable to start");
try{
Thread.sleep(2000);
}catch(InterruptedException ie){}
notifyDestroyed();
public void pauseApp() {
running = false;
releaseResources();
public void destroyApp(boolean unconditionally) {
running = false;
releaseResources();
public void commandAction(Command c, Displayable d) {
if (c == exitCommand) {
running = false;
releaseResources();
notifyDestroyed();
} else if (c == startCommand) {
new Thread(){
public void run(){
startServer();
}.start();
} else if (c == connectCommand) {
status.setText("Searching for devices...");
mainUI.removeCommand(connectCommand);
mainUI.removeCommand(startCommand);
mainUI.append(devices);
DeviceDiscoverer discoverer = new DeviceDiscoverer(ChatController.this);
try {
//non-blocking
agent.startInquiry(DiscoveryAgent.GIAC, discoverer);
catch(BluetoothStateException bse){
status.setText("BSException: " + bse.getMessage());
} else if (c == selectCommand) {
status.setText("Searching device for service");
int index = devices.getSelectedIndex();
mainUI.delete(mainUI.size()-1);//delete choice group
mainUI.removeCommand(selectCommand);
ServiceDiscoverer serviceDiscoverer = new ServiceDiscoverer(ChatController.this);
int[] attrSet = {0x0100};//return service name attribute
UUID[] uuidSet = new UUID[1];
uuidSet[0] = new UUID(UUID_STRING, false);
try {
//non-blocking
agent.searchServices(attrSet, uuidSet, remoteDevices[index], serviceDiscoverer);
} catch(BluetoothStateException bse) {
status.setText("Bluetooth Exception: " + bse.getMessage());
} else if (c == sendCommand) {
new Thread(){
public void run(){
sendMessage();
}.start();
/** Called from DeviceDiscoverer inquiryCompleted when device inquiry is finished */
public void deviceInquiryFinished(RemoteDevice[] remoteDevices, String message){
this.remoteDevices = remoteDevices;
String[] names = new String[remoteDevices.length];
for(int i = 0; i < remoteDevices.length; i++) {
try {
String name = remoteDevices.getFriendlyName(false);
names[i] = name;
}catch(IOException ioe){
status.setText("IOException: " + ioe.toString());
for(int i = 0; i < names.length; i++) {
devices.append(names[i], null);
mainUI.addCommand(selectCommand);
status.setText(message);
/** called from ServiceDiscover serviceSearchCompleted when service search is completed */
public void serviceSearchFinished(ServiceRecord serviceRecord, String message){
//this.serviceRecord = servRecord;//cache the service record for future use
status.setText(message);
String url = serviceRecord.getConnectionURL(ServiceRecord.NOAUTHENTICATE_NOENCRYPT, false);
try{
conn = (L2CAPConnection)Connector.open(url);
status.setText("connected");
new Thread(){
public void run(){
startReceiver();
}.start();
}catch(IOException ioe){
status.setText("IOException: " + ioe.getMessage());
/** Starts L2CAP Chat server from server mode */
public void startServer(){
status.setText("Server starting...");
mainUI.removeCommand(connectCommand);
mainUI.removeCommand(startCommand);
try{
localDevice.setDiscoverable(DiscoveryAgent.GIAC);
L2CAPConnectionNotifier notifier = (L2CAPConnectionNotifier)Connector.open("btl2cap://localhost:" + UUID_STRING + ";name=L2CAPchat");
ServiceRecord record = localDevice.getRecord(notifier);
String connURL = record.getConnectionURL(ServiceRecord.NOAUTHENTICATE_NOENCRYPT, false);
status.setText("Server running");
conn = notifier.acceptAndOpen();//record is saved to the SDDB on this call
new Thread(){
public void run(){
startReceiver();
}.start();
} catch(IOException ioe) {
status.setText("IOException: " + ioe.toString());
/** Starts a message receiver, listening for incoming messages */
public void startReceiver(){
mainUI.addCommand(sendCommand);
mainUI.append(incoming);
mainUI.append(outgoing);
while(running){
try{
if(conn.ready()){
int receiveMTU = conn.getReceiveMTU();
byte[] data = new byte[receiveMTU];
int length = conn.receive(data);
String message = new String(data, 0, length);
incoming.setString(message);
}catch(IOException ioe){
status.setText("IOException: " + ioe.getMessage());
/** Sends a message over L2CAP */
public void sendMessage() {
try {
String message = outgoing.getString();
byte[] data = message.getBytes();
int transmitMTU = conn.getTransmitMTU();
if(data.length <= transmitMTU){
conn.send(data);
//status.setText("Message sent! " + message);
}else {
status.setText("Message too long!");
} catch(IOException ioe) {
status.setText("IOException: " + ioe.getMessage());
/** closes the L2CAP connection */
public void releaseResources(){
try{
if(conn != null)
conn.close();
}catch(IOException ioe){
status.setText("IOException: " + ioe.getMessage());
// Copyright (c) 2004 Symbian Software Ltd
// For license terms see http://www.symbian.com/developer/techlib/codelicense.html
import javax.bluetooth.*;
import java.util.*;
/** Implements a DiscvoveryListener for device discovery */
public class DeviceDiscoverer implements DiscoveryListener {
private ChatController controller;
private Vector remoteDevices;
public DeviceDiscoverer(ChatController controller) {
this.controller = controller;
remoteDevices = new Vector();
public void servicesDiscovered(int transID, ServiceRecord[] servRecord){}
public void serviceSearchCompleted(int transID, int respCode) {}
/** Called by implementation when a device is discovered */
public void deviceDiscovered(RemoteDevice btDevice, DeviceClass cod) {       
remoteDevices.addElement(btDevice);
/** Called by implementation when device inquiry completed */
public void inquiryCompleted(int discType) {
String message = null;
if (discType == INQUIRY_COMPLETED) {
message = "Inquiry completed";
} else if (discType == INQUIRY_TERMINATED) {
message = "Inquiry terminated";
} else if (discType == INQUIRY_ERROR) {
message = "Inquiry error";
RemoteDevice[] devices = new RemoteDevice[remoteDevices.size()];
for(int i = 0; i < remoteDevices.size(); i++) {
devices[i] = (RemoteDevice)remoteDevices.elementAt(i);
controller.deviceInquiryFinished(devices, message);
remoteDevices = null;
controller = null;
// Copyright (c) 2004 Symbian Software Ltd
// For license terms see http://www.symbian.com/developer/techlib/codelicense.html
import javax.bluetooth.*;
import java.io.*;
/** Implements a DiscoveryListener for service discovery */
public class ServiceDiscoverer implements DiscoveryListener {
private static final String SERVICE_NAME = "L2CAPchat";
private ChatController controller;
private ServiceRecord serviceRecord;
public ServiceDiscoverer(ChatController controller) {
this.controller = controller;
* Called by the implementation when services specified by the uuidSet passed into
* the DiscoveryAgent.searchServices method are discovered
public void servicesDiscovered(int transID, ServiceRecord[] servRecord) {
for(int i = 0; i < servRecord.length; i++) {
DataElement serviceNameElement = servRecord[i].getAttributeValue(0x0100);//get the Service Name
String serviceName = (String)serviceNameElement.getValue();
if(serviceName.equals(SERVICE_NAME)){
serviceRecord = servRecord[0];
/** Called by implementation when search is completed */
public void serviceSearchCompleted(int transID, int respCode) {
String message = null;
if (respCode == DiscoveryListener.SERVICE_SEARCH_DEVICE_NOT_REACHABLE) {
message = "Device not reachable";
else if (respCode == DiscoveryListener.SERVICE_SEARCH_NO_RECORDS) {
message = "Service not available";
else if (respCode == DiscoveryListener.SERVICE_SEARCH_COMPLETED) {
message = "Service search completed";
else if (respCode == DiscoveryListener.SERVICE_SEARCH_TERMINATED) {
message = "Service search terminated";
else if (respCode == DiscoveryListener.SERVICE_SEARCH_ERROR) {
message = "Service search error";
controller.serviceSearchFinished(serviceRecord, message);
controller = null;
serviceRecord = null;
public void inquiryCompleted(int discType){}
public void deviceDiscovered(RemoteDevice btDevice, DeviceClass cod){}

Make sure you have only one dongle plug at the same time!

Similar Messages

  • Lenovo 3000 N100 Network issue / Wireless Stack initializa​tion failed, error code 117

    Hi,
    Lenovo 3000 N1000 with 1GB Ram, Win XP SP2, purchased in May 2006. WLAN network with WPA-PSK key worked without any issues so far and is still accessible with PC.
    After transferring music via from my notebook to my mobile Bluetooth all network adapters seem to be disconnected. Neither Access Connections (AC) nor Windows can find any wireless network. Also if I try to configure any LAN, WLAN with Windows I get the message that all network adapters have been removed. However I cannot spot any issue in the device manager as all parts are shown to be working OK.
    This is what I've done so far:
    1) Checked Radio switch ---> on
    2) FN +F5 --> connection on
    3) Uninstalled AC, downloaded and installed most actual version (5.00 Build 7VCX32WW)
    4) Installed new version for wireless driver for Intel(R) PRO/Wireless 3945ABG (version 12.0.0.82)
    Still, even if I uninstall AC to check if WLAN is working at all, Windows gives the error message that all network components have been removed.
    Diagnose Tool gives the following output:
    "Wireless Stack initialization failed, error code 117"
    Logfile:
    Description : Intel(R) PRO/Wireless 3945ABG Network Connection
    Type : Wireless LAN Adapter
    DriverVersion : 10. 5. 1. 59 ----> why is the old driver version??????????
    PNPID : PCI\VEN_8086&DEV_4227&SUBSYS_10118086
    SupplicantVersion : AEGIS Protocol (IEEE 802.1x) v3.5.3.0
    ERROR AcSvc( SYSTEM(Prvlg).1108.4580) [9/3]11:04:15:703 CAcGolan::GetRadioStateInDriver: Golan API GetRadioState() missing! 
    Hope this is enough information for anyone of you in order to suggest any solution. As I could see from previous threads some of you experienced similar problems in the past and could fix them somehow. However I couldn't find anyone with exactly the same problem.
    Thanks much in advance for any advice you might have.
    Flo

    Hi
    I have this problem also with my Lenovo 3000 V200.
    Sometimes when I boot up the PC it will connect to the network and everything works just fine.
    At other times, after boot, the "wireless stack initialization failed, error code: 118" problem occurs
    and the only way to solve it seems to be a PC restart. Nothing else I do will bring the network up.
    If I study the Networking tab in Task Manager it indicates that no adapters are available (wired eth.
    access also fails). At a few occations connectivity have failed alltogether (i.e. a reboot have not solved
    the problem). Last time this occured I had to reinstall the complete system (from a previous backup)
    to get networking up.
    I have tried different versions of Access Connections (5.02, 5.12, 5.21) and the same problem occurs
    at seemingly random instances in time. This is obviosly a problem with the Access Connections software
    since the Wireless networking works fine when I let windows manage it...
    Anyone with a fix?
    /Fredrik

  • Atinav stack initalization

    Hello.
    I'm trying to send a file between 2 computers using belkin usb modules. Also i'm using the atinav software. the client searches for devices, discovers the server and then sends the file to it. it's over l2cap . it works fine.
    now i want to do it with a phone acting as a server.
    to prove the communication i found the code of a chat application and i have to use the java wireless toolkit to emulate the cellphones. fine so far.
    the problem comes when i want to chat to another pc: emulate one phone on one pc and the other phone on the other pc.
    I don't know how to make the Eclipse (i'm using the EclipseMe plugin) or the midlet code to see the usb bluetooth module. i don't know how to initilizate the atinav stack.
    if anyone can help it woul be great. if i can't do it with the chat i won't be able to do it with my file transfer code.
    the chat code is here. it's an example from Symbian.com
    thanks in advance
    // Copyright (c) 2004 Symbian Software Ltd
    // For license terms see http://www.symbian.com/developer/techlib/codelicense.html
    import javax.microedition.midlet.*;
    import javax.microedition.lcdui.*;
    import javax.microedition.io.*;
    import javax.bluetooth.*;
    import java.io.*;
    * Main controller for application. Extends MIDlet and implements lifecycle methods.
    * Provides application UI, Controls whether MIDlet acts as Server or client
    public class ChatController extends MIDlet implements CommandListener {
    private static final String UUID_STRING = "11112233445566778899AABBCCDDEEFF";
    private Display display;
    private Form mainUI;
    private StringItem status = new StringItem("status:", null);
    private TextField incoming = new TextField("Incoming", "", 256, TextField.ANY);
    private TextField outgoing = new TextField("Outgoing", "", 256, TextField.ANY);
    private ChoiceGroup devices = new ChoiceGroup(null, Choice.EXCLUSIVE);
    private Command exitCommand = new Command("Exit", Command.EXIT, 2);
    private Command startCommand = new Command("Start server", Command.SCREEN, 1);
    private Command connectCommand = new Command("Connect to server", Command.SCREEN, 1);
    private Command sendCommand = new Command("Send", Command.SCREEN, 1);
    private Command selectCommand = new Command("Select", Command.SCREEN, 1);
    private LocalDevice localDevice;
    private DiscoveryAgent agent;
    private L2CAPConnection conn;
    private RemoteDevice[] remoteDevices;
    private boolean running = false;
    public ChatController() {
    display = Display.getDisplay(this);
    mainUI = new Form("Chat");
    mainUI.append(status);
    mainUI.setCommandListener(this);
    mainUI.addCommand(exitCommand);
    public void startApp() {
    running = true;
    mainUI.addCommand(startCommand);
    mainUI.addCommand(connectCommand);
    display.setCurrent(mainUI);
    try{
    localDevice = LocalDevice.getLocalDevice();
    agent = localDevice.getDiscoveryAgent();
    }catch(BluetoothStateException bse){
    status.setText("Bluetooth Exception: " + "Unable to start");
    try{
    Thread.sleep(2000);
    }catch(InterruptedException ie){}
    notifyDestroyed();
    public void pauseApp() {
    running = false;
    releaseResources();
    public void destroyApp(boolean unconditionally) {
    running = false;
    releaseResources();
    public void commandAction(Command c, Displayable d) {
    if (c == exitCommand) {
    running = false;
    releaseResources();
    notifyDestroyed();
    } else if (c == startCommand) {
    new Thread(){
    public void run(){
    startServer();
    }.start();
    } else if (c == connectCommand) {
    status.setText("Searching for devices...");
    mainUI.removeCommand(connectCommand);
    mainUI.removeCommand(startCommand);
    mainUI.append(devices);
    DeviceDiscoverer discoverer = new DeviceDiscoverer(ChatController.this);
    try {
    //non-blocking
    agent.startInquiry(DiscoveryAgent.GIAC, discoverer);
    catch(BluetoothStateException bse){
    status.setText("BSException: " + bse.getMessage());
    } else if (c == selectCommand) {
    status.setText("Searching device for service");
    int index = devices.getSelectedIndex();
    mainUI.delete(mainUI.size()-1);//delete choice group
    mainUI.removeCommand(selectCommand);
    ServiceDiscoverer serviceDiscoverer = new ServiceDiscoverer(ChatController.this);
    int[] attrSet = {0x0100};//return service name attribute
    UUID[] uuidSet = new UUID[1];
    uuidSet[0] = new UUID(UUID_STRING, false);
    try {
    //non-blocking
    agent.searchServices(attrSet, uuidSet, remoteDevices[index], serviceDiscoverer);
    } catch(BluetoothStateException bse) {
    status.setText("Bluetooth Exception: " + bse.getMessage());
    } else if (c == sendCommand) {
    new Thread(){
    public void run(){
    sendMessage();
    }.start();
    /** Called from DeviceDiscoverer inquiryCompleted when device inquiry is finished */
    public void deviceInquiryFinished(RemoteDevice[] remoteDevices, String message){
    this.remoteDevices = remoteDevices;
    String[] names = new String[remoteDevices.length];
    for(int i = 0; i < remoteDevices.length; i++) {
    try {
    String name = remoteDevices.getFriendlyName(false);
    names = name;
    }catch(IOException ioe){
    status.setText("IOException: " + ioe.toString());
    for(int i = 0; i < names.length; i++) {
    devices.append(names, null);
    mainUI.addCommand(selectCommand);
    status.setText(message);
    /** called from ServiceDiscover serviceSearchCompleted when service search is completed */
    public void serviceSearchFinished(ServiceRecord serviceRecord, String message){
    //this.serviceRecord = servRecord;//cache the service record for future use
    status.setText(message);
    String url = serviceRecord.getConnectionURL(ServiceRecord.NOAUTHENTICATE_NOENCRYPT, false);
    try{
    conn = (L2CAPConnection)Connector.open(url);
    status.setText("connected");
    new Thread(){
    public void run(){
    startReceiver();
    }.start();
    }catch(IOException ioe){
    status.setText("IOException: " + ioe.getMessage());
    /** Starts L2CAP Chat server from server mode */
    public void startServer(){
    status.setText("Server starting...");
    mainUI.removeCommand(connectCommand);
    mainUI.removeCommand(startCommand);
    try{
    localDevice.setDiscoverable(DiscoveryAgent.GIAC);
    L2CAPConnectionNotifier notifier = (L2CAPConnectionNotifier)Connector.open("btl2cap://localhost:" + UUID_STRING + ";name=L2CAPchat");
    ServiceRecord record = localDevice.getRecord(notifier);
    String connURL = record.getConnectionURL(ServiceRecord.NOAUTHENTICATE_NOENCRYPT, false);
    status.setText("Server running");
    conn = notifier.acceptAndOpen();//record is saved to the SDDB on this call
    new Thread(){
    public void run(){
    startReceiver();
    }.start();
    } catch(IOException ioe) {
    status.setText("IOException: " + ioe.toString());
    /** Starts a message receiver, listening for incoming messages */
    public void startReceiver(){
    mainUI.addCommand(sendCommand);
    mainUI.append(incoming);
    mainUI.append(outgoing);
    while(running){
    try{
    if(conn.ready()){
    int receiveMTU = conn.getReceiveMTU();
    byte[] data = new byte[receiveMTU];
    int length = conn.receive(data);
    String message = new String(data, 0, length);
    incoming.setString(message);
    }catch(IOException ioe){
    status.setText("IOException: " + ioe.getMessage());
    /** Sends a message over L2CAP */
    public void sendMessage() {
    try {
    String message = outgoing.getString();
    byte[] data = message.getBytes();
    int transmitMTU = conn.getTransmitMTU();
    if(data.length <= transmitMTU){
    conn.send(data);
    //status.setText("Message sent! " + message);
    }else {
    status.setText("Message too long!");
    } catch(IOException ioe) {
    status.setText("IOException: " + ioe.getMessage());
    /** closes the L2CAP connection */
    public void releaseResources(){
    try{
    if(conn != null)
    conn.close();
    }catch(IOException ioe){
    status.setText("IOException: " + ioe.getMessage());
    // Copyright (c) 2004 Symbian Software Ltd
    // For license terms see http://www.symbian.com/developer/techlib/codelicense.html
    import javax.bluetooth.*;
    import java.util.*;
    /** Implements a DiscvoveryListener for device discovery */
    public class DeviceDiscoverer implements DiscoveryListener {
    private ChatController controller;
    private Vector remoteDevices;
    public DeviceDiscoverer(ChatController controller) {
    this.controller = controller;
    remoteDevices = new Vector();
    public void servicesDiscovered(int transID, ServiceRecord[] servRecord){}
    public void serviceSearchCompleted(int transID, int respCode) {}
    /** Called by implementation when a device is discovered */
    public void deviceDiscovered(RemoteDevice btDevice, DeviceClass cod) {
    remoteDevices.addElement(btDevice);
    /** Called by implementation when device inquiry completed */
    public void inquiryCompleted(int discType) {
    String message = null;
    if (discType == INQUIRY_COMPLETED) {
    message = "Inquiry completed";
    } else if (discType == INQUIRY_TERMINATED) {
    message = "Inquiry terminated";
    } else if (discType == INQUIRY_ERROR) {
    message = "Inquiry error";
    RemoteDevice[] devices = new RemoteDevice[remoteDevices.size()];
    for(int i = 0; i < remoteDevices.size(); i++) {
    devices = (RemoteDevice)remoteDevices.elementAt(i);
    controller.deviceInquiryFinished(devices, message);
    remoteDevices = null;
    controller = null;
    // Copyright (c) 2004 Symbian Software Ltd
    // For license terms see http://www.symbian.com/developer/techlib/codelicense.html
    import javax.bluetooth.*;
    import java.io.*;
    /** Implements a DiscoveryListener for service discovery */
    public class ServiceDiscoverer implements DiscoveryListener {
    private static final String SERVICE_NAME = "L2CAPchat";
    private ChatController controller;
    private ServiceRecord serviceRecord;
    public ServiceDiscoverer(ChatController controller) {
    this.controller = controller;
    * Called by the implementation when services specified by the uuidSet passed into
    * the DiscoveryAgent.searchServices method are discovered
    public void servicesDiscovered(int transID, ServiceRecord[] servRecord) {
    for(int i = 0; i < servRecord.length; i++) {
    DataElement serviceNameElement = servRecord.getAttributeValue(0x0100);//get the Service Name
    String serviceName = (String)serviceNameElement.getValue();
    if(serviceName.equals(SERVICE_NAME)){
    serviceRecord = servRecord[0];
    /** Called by implementation when search is completed */
    public void serviceSearchCompleted(int transID, int respCode) {
    String message = null;
    if (respCode == DiscoveryListener.SERVICE_SEARCH_DEVICE_NOT_REACHABLE) {
    message = "Device not reachable";
    else if (respCode == DiscoveryListener.SERVICE_SEARCH_NO_RECORDS) {
    message = "Service not available";
    else if (respCode == DiscoveryListener.SERVICE_SEARCH_COMPLETED) {
    message = "Service search completed";
    else if (respCode == DiscoveryListener.SERVICE_SEARCH_TERMINATED) {
    message = "Service search terminated";
    else if (respCode == DiscoveryListener.SERVICE_SEARCH_ERROR) {
    message = "Service search error";
    controller.serviceSearchFinished(serviceRecord, message);
    controller = null;
    serviceRecord = null;
    public void inquiryCompleted(int discType){}
    public void deviceDiscovered(RemoteDevice btDevice, DeviceClass cod){}
    }

    thanks for your response sulfikkartm.
    I am working on my final year project. I have a bluetooth enabled laptop and I'm using the Nokia N80 to develp a simple bluetooth application. It will display and control a powerpoint presentation (just move the slides forward and backwards). I will manually create a jpg files (to mimic the powerpoint slides on my mobile) and then transfer them via bluetooth to my mobile.
    Is this somthing reasonable simple to do using netbeans? I'm familiar with java programming language and just been playing around with netbeans.
    many thanks in advance.

  • Java Bluetooth Stack

    Hi:
    I am doing a J2ME application and it consist of comunicate a mobile with a server by bluetooth. I have the code for find bluetooth devices and their services but i have read that firs of all you have to initialize the stack, and it depends of some vendors (I have find one example of Atinav ). Please, some body can help me?
    Thanks

    Hi,
    Stack initialization is not necessary for every Java Bluetooth implementation. Some stack vendors require it, and others don't.
    thanks,
    Bruce
    http://www.javabluetooth.com

  • Help me,bluetooth stack and api bluetooth...

    I have download the javabluetooth.org api from javabluetooth.com and
    but where install it? in the package of WTK22? Help me?
    I want to connect my cell phone via bluetooth from my pc desktop,
    where there is an application j2se or j2me (???) that must forwards
    the data read on serial port (com "X") on my cell phone (where should
    be a midlet
    for the visualization of data).
    My development environment is :eclipseME,and WTK22 with Series 60 2nd
    Edition SDK for Symbian OS Supporting Feature Pack 3 for MIDP.
    Additionally for the bluetooth connection i have a bluetooth usb
    adapter of Trust,and so what stack initialization code I must usedhave
    to use in the programs?
    Thanks
    Excuse for my english
    Daniele

    Hi
    Im new here :)
    Im wishing to communicate with remote mobile phones from a
    PC. Is there a way to read the make and model number of
    each mobile phone detected via bluetooth using Java?
    I would be greatful for any help or code you can give.
    Thanks
    Shiraz
    [email protected]

  • Lenovo 3000 N100 notebook cannot connect to my wireless network

    Hello,
    this is my first post. I am new member. I also am a very novice/amateur computer user and so I need some help from some pros or anyone that has experienced a similar problem and can help fix my laptop. I have a Lenovo 3000 N100 laptop model number 0768 6EU. About a week ago I updated/downloaded a bunch of software upgrades from Lenovo's website recommended for this computer. Prior to this download I was able to connect to my wireless home network. But after the download of various required/recommended software upgrades it no longer connects to the wireless home network. my other laptops connect so I know that it is not my wireless router. I have tried various things recommended by the ThinkVantage access connection on my computer but I get the following on that: signal strength: 0%, status: disconnected, IP address: not assigned. I also ran the diagnostic tools and it gave me the following: connection status: disconnected, cause: wireless stack initialization failed, error code: 118, recommended action please check the wireless driver installation. I even went to the Intel wireless 3945 abg hardware properties window and pressed the tab to revert back to the prior driver for the wireless card. I would appreciate any help. I know this message/post is long but it is the only way I can explain what is going on 

    Hi
    I have this problem also with my Lenovo 3000 V200.
    Sometimes when I boot up the PC it will connect to the network and everything works just fine.
    At other times, after boot, the "wireless stack initialization failed, error code: 118" problem occurs
    and the only way to solve it seems to be a PC restart. Nothing else I do will bring the network up.
    If I study the Networking tab in Task Manager it indicates that no adapters are available (wired eth.
    access also fails). At a few occations connectivity have failed alltogether (i.e. a reboot have not solved
    the problem). Last time this occured I had to reinstall the complete system (from a previous backup)
    to get networking up.
    I have tried different versions of Access Connections (5.02, 5.12, 5.21) and the same problem occurs
    at seemingly random instances in time. This is obviosly a problem with the Access Connections software
    since the Wireless networking works fine when I let windows manage it...
    Anyone with a fix?
    /Fredrik

  • IPad 2 invisible to iTunes

    After a few full resets (as recommended in the recovery manual), I got my iPad to recognise the power source again and it's now at 100% power.
    I reconnected it to my Macbook Pro and it's still not visible to iTunes or iPhoto. I've tried different USB cables and it's the same. I've tried different USB plugs and it's the same - well, not exactly, on the one plug it says 'not charging' on the other nothing.
    It was working completely reliably up until Saturday.
    What could it be? I don't want to have to keep doing full resets all the time.
    Do I have to take it back to the shop??

    Here's the system log from my iPad:
    31 Oct 2011 07:41:04 - kernel [0] (Debug): launchd[88] Builtin profile: container (sandbox) 31 Oct 2011 07:41:04 - kernel [0] (Debug): launchd[88] Container: /private/var/mobile/Applications/2F516922-CCF1-4B98-81F5-BA743FCC981A [69] (sandbox) 31 Oct 2011 07:40:55 - kernel [0] (Debug): set_crc_notification_state 0 31 Oct 2011 07:40:54 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=1 31 Oct 2011 07:40:54 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 255->0 (deferring until bootloaded) 31 Oct 2011 07:40:54 - SpringBoard [15] (Notice): MultitouchHID: device bootloaded 31 Oct 2011 07:40:54 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->0 31 Oct 2011 07:40:53 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=0 31 Oct 2011 07:40:53 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->255 31 Oct 2011 07:40:40 - wifid [25] (Error): WiFi:[341732440.938301]: Disable WoW requested by "dataaccessd" 31 Oct 2011 07:40:35 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=1 31 Oct 2011 07:40:35 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 255->0 (deferring until bootloaded) 31 Oct 2011 07:40:35 - kernel [0] (Debug): set_crc_notification_state 0 31 Oct 2011 07:40:35 - SpringBoard [15] (Notice): MultitouchHID: device bootloaded 31 Oct 2011 07:40:35 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->0 31 Oct 2011 07:40:33 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=0 31 Oct 2011 07:40:33 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->255 31 Oct 2011 07:40:32 - profiled [20] (Notice): (Note ) profiled: Idled. 31 Oct 2011 07:40:32 - profiled [20] (Notice): (Note ) profiled: Service stopping. 31 Oct 2011 07:40:26 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:25 - kernel [0] (Debug): set_crc_notification_state 0 31 Oct 2011 07:40:25 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:24 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:24 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=1 31 Oct 2011 07:40:24 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 255->0 (deferring until bootloaded) 31 Oct 2011 07:40:24 - SpringBoard [15] (Notice): MultitouchHID: device bootloaded 31 Oct 2011 07:40:24 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->0 31 Oct 2011 07:40:23 - CommCenter [17] (Notice): No more assertions for PDP context 0.  Returning it back to normal. 31 Oct 2011 07:40:23 - CommCenter [17] (Notice): Scheduling PDP tear down timer for (341732723.017949) (current time == 341732423.017957) 31 Oct 2011 07:40:23 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableDetect 1 31 Oct 2011 07:40:23 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableType USBHost 31 Oct 2011 07:40:23 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:23 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:22 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableDetect 0 31 Oct 2011 07:40:22 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableType Detached 31 Oct 2011 07:40:22 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBCableDisconnect 31 Oct 2011 07:40:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:18 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:17 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:17 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:40:16 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableDetect 1 31 Oct 2011 07:40:16 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableType USBHost 31 Oct 2011 07:40:15 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableDetect 0 31 Oct 2011 07:40:15 - kernel [0] (Debug): AppleD1946PMUPowerSource: AppleUSBCableType Detached 31 Oct 2011 07:40:15 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBCableDisconnect 31 Oct 2011 07:40:01 - timed [84] (Notice): (Note ) CoreTime: Not setting system time to 10/31/2011 05:40:02 from GPS because time is unchanged 31 Oct 2011 07:39:51 - com.apple.locationd [44] (Notice): NOTICE,Potentially setting system time zone to Africa/Johannesburg 31 Oct 2011 07:39:51 - timed [84] (Notice): (Note ) CoreTime: Received timezone "Africa/Johannesburg" from "Location" 31 Oct 2011 07:39:51 - timed [84] (Notice): (Note ) CoreTime: Not setting time zone to Africa/Johannesburg from Location 31 Oct 2011 07:39:49 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:34 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:48 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=0 31 Oct 2011 07:39:48 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->255 31 Oct 2011 07:39:45 - timed [84] (Notice): (Note ) CoreTime: Want active time in 40.23hrs. Need active time in 123.56hrs. 31 Oct 2011 07:39:44 - kernel [0] (Debug): AppleSerialMultiplexer: nif::ioctl: MTU set to 1450 31 Oct 2011 07:39:44 - configd [14] (Notice): network configuration changed. 31 Oct 2011 07:39:42 - com.apple.locationd [44] (Notice): NOTICE,Potentially setting system time zone to Africa/Johannesburg 31 Oct 2011 07:39:42 - timed [84] (Notice): (Note ) CoreTime: Received timezone "Africa/Johannesburg" from "Location" 31 Oct 2011 07:39:42 - timed [84] (Notice): (Note ) CoreTime: Not setting time zone to Africa/Johannesburg from Location 31 Oct 2011 07:39:41 - kernel [0] (Debug): set_crc_notification_state 0 31 Oct 2011 07:39:41 - CommCenter [17] (Notice): No more assertions for PDP context 0.  Returning it back to normal. 31 Oct 2011 07:39:41 - CommCenter [17] (Notice): Scheduling PDP tear down timer for (341732681.312836) (current time == 341732381.312844) 31 Oct 2011 07:39:41 - mstreamd [40] (Notice): (Note ) mstreamd: No jobs scheduled. 31 Oct 2011 07:39:41 - mstreamd [40] (Notice): (Note ) mstreamd: Media stream daemon stopping. 31 Oct 2011 07:39:41 - mstreamd [40] (Notice): (Note ) mstreamd: mstreamd shutting down. 31 Oct 2011 07:39:40 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=1 31 Oct 2011 07:39:40 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 255->0 (deferring until bootloaded) 31 Oct 2011 07:39:40 - SpringBoard [15] (Notice): MultitouchHID: device bootloaded 31 Oct 2011 07:39:40 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->0 31 Oct 2011 07:39:40 - dataaccessd [51] (Notice): 13b790|CalDAV|Error|There were some failures changing properties, according to the following response: [[[<CoreDAVResponseItem: 0xced0120>]: DAV:response | Number of HREFs: [1]| Status: [(null)]| Number of prop stats: [1]| Error: [(null)]| Response description: [(null)]| Location: [(null)]]]. 31 Oct 2011 07:39:40 - CommCenter [17] (Notice): No more assertions for PDP context 0.  Returning it back to normal. 31 Oct 2011 07:39:40 - CommCenter [17] (Notice): Scheduling PDP tear down timer for (341732680.680762) (current time == 341732380.680852) 31 Oct 2011 07:39:40 - wifid [25] (Error): WiFi:[341732380.704894]: Client dataaccessd set type to background application 31 Oct 2011 07:39:39 - wifid [25] (Error): WiFi:[341732379.548208]: Client dataaccessd set type to background application 31 Oct 2011 07:39:39 - wifid [25] (Error): WiFi:[341732379.549238]: Enable WoW requested by "dataaccessd" 31 Oct 2011 07:39:39 - SpringBoard [15] (Warning): Error: Connection interrupted 31 Oct 2011 07:39:37 - dataaccessd [51] (Notice): 13b790|CalDAV|Error|Could not find the current user principal. Found properties: [{
       "DAV::displayname" = "[<CoreDAVLeafItem: 0xce71aa0>]: DAV:displayname";
       "DAV::principal-URL" = "[[<CoreDAVItemWithHrefChildItem: 0xce71b40>]: DAV:principal-URL]\n  HREF: [[[<CoreDAVHrefItem: 0xce71cb0>]: DAV:href]\n  Payload as original URL: [/calendar/dav/[email protected]/user/]\n  Payload as full URL: [https://peter.h.m.brooks%[email protected]/calendar/dav/peter.h.m.brooks%40gmail.com/user/]\n  Base URL: [https://peter.h.m.brooks%[email protected]:443/calendar/dav/peter.h.m.brooks%40gmail.com/user/]]";
       "urn:ietf:params:xml:ns:caldav:calendar-home-set" = "[[<CoreDAVItemWithHrefChildren: 0xce71170>]: urn:ietf:params:xml:ns:caldavcalendar-home-set]\n  Number of HREFs: [1]\n  Unauthenticated: [(null)]";
       "urn:ietf:params:xml:ns:caldav:calendar-user-address-set" = "[[<CoreDAVItemWithHrefChildren: 0xce715e0>]: urn:ietf:params:xml:ns:caldavcalendar-user-address-set]\n  Number of HREFs: [2]\n  Unauthenticated: [(null)]";
       "urn:ietf:params:xml:ns:caldav:schedule-inbox-URL" = "[[<CoreDAVItemWithHrefChildItem: 0xce70a10>]: urn:ietf:params:xml:ns:caldavschedule-inbox-URL]\n  HREF: [[[<CoreDAVHrefItem: 0xce711d0>]: DAV:href]\n  Payload as original URL: [/calendar/dav/peter.h.m.brooks%40gmail.com/inbox/]\n  Payload as full URL: [https://peter.h.m.brooks%[email protected]:443/calendar/dav/peter.h.m.brooks%40gmail.com/inbox/]\n  Base URL: [https://peter.h.m.brooks%[email protected]:443/calendar/dav/peter.h.m.brooks%40gmail.com/user/]]";
       "urn:ietf:params:xml:ns:caldav:schedule-outbox-URL" = "[[<CoreDAVItemWithHrefChildItem: 0xce6fb30>]: urn:ietf:params:xml:ns:caldavschedule-outbox-URL]\n  HREF: [[[<CoreDAVHrefItem: 0xce71b60>]: DAV:href]\n  Payload as original URL: [/calendar/dav/peter.h.m.brooks%40gmail.com/outbox/]\n  Payload as full URL: [https://peter.h.m.brooks%[email protected]:443/calendar/dav/peter.h.m.brooks%40gmail.com/outbox/]\n  Base URL: [https://peter.h.m.brooks%[email protected]:443/calendar/dav/peter.h.m.brooks%40gmail.com/user/]]";
    }] 31 Oct 2011 07:39:37 - wifid [25] (Error): WiFi:[341732377.807391]: Client apsd set type to background application 31 Oct 2011 07:39:37 - wifid [25] (Error): WiFi:[341732377.808034]: Enable WoW requested by "apsd" 31 Oct 2011 07:39:35 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=0 31 Oct 2011 07:39:35 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 0->255 31 Oct 2011 07:39:33 - dataaccessd [51] (Notice): 13b790|DA|Warn |Could not find a password in the keychain for 45CA8303-48B7-4538-ACCD-07D1FBC7AE8A, error -25300 31 Oct 2011 07:39:33 - dataaccessd [51] (Notice): 13b790|DA|Warn |Could not find a password in the keychain for 0EC0BAA7-C6E5-4C8D-B40F-D27862D239B0, error -25300 31 Oct 2011 07:39:33 - wifid [25] (Error): WiFi:[341732373.979248]: Client dataaccessd set type to background application 31 Oct 2011 07:39:32 - daily [52] (Notice): (0x3e176ce8) carrousel: Could not rmdir /private/var/mobile/Applications/392476FD-3C05-4406-B172-ADA20ABFC32E/tmp/cache /icons: Directory not empty 31 Oct 2011 07:39:32 - daily [52] (Notice): (0x3e176ce8) carrousel: Could not rmdir /private/var/mobile/Applications/392476FD-3C05-4406-B172-ADA20ABFC32E/tmp/cache : Directory not empty 31 Oct 2011 07:39:31 - kernel [0] (Debug): launchd[82] Builtin profile: MobileMail (sandbox) 31 Oct 2011 07:39:31 - mstreamd [40] (Notice): (Note ) mstreamd: Listening to production-environment push notifications. 31 Oct 2011 07:39:31 - mstreamd [40] (Notice): (Note ) mstreamd: Listening to production-environment push notifications. 31 Oct 2011 07:39:31 - mstreamd [40] (Notice): (Note ) mstreamd: Retrieved push tokens. Dev: 0, Prod: 1 31 Oct 2011 07:39:31 - mstreamd [40] (Notice): (Note ) mstreamd: Media stream daemon starting... 31 Oct 2011 07:39:31 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:16 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:31 - wifid [25] (Error): WiFi:[341732371.773413]: Client softwareupdatese is background application 31 Oct 2011 07:39:30 - softwareupdated [34] (Notice): 3e176ce8 : Cleaning up unused prepared updates 31 Oct 2011 07:39:30 - ReportCrash [81] (Notice): Formulating crash report for process MobileMail[78] 31 Oct 2011 07:39:30 - com.apple.launchd [1] (Warning): (UIKitApplication:com.apple.mobilemail[0xd568]) Job appears to have crashed: Abort trap: 6 31 Oct 2011 07:39:30 - SpringBoard [15] (Warning): Application 'Mail' exited abnormally with signal 6: Abort trap: 6 31 Oct 2011 07:39:30 - ReportCrash [81] (Error): Saved crashreport to /var/mobile/Library/Logs/CrashReporter/MobileMail_2011-10-31-073929_Peter-Brook ss-iPad.plist using uid: 0 gid: 0, synthetic_euid: 501 egid: 0 31 Oct 2011 07:39:29 - MobileMail [78] (Error): *** Terminating app due to uncaught exception 'NSInvalidArgumentException', reason: '*** -[__NSArrayM insertObject:atIndex:]: object cannot be nil'
    *** First throw call stack:
    (0x36e038bf 0x35be21e5 0x36d5820f 0xc20a7 0xc1e09 0xc1c1d 0x31212d3f 0x31214261 0x31214391 0x3121510f 0x312053e1 0x36dd7553 0x36dd74f5 0x36dd6343 0x36d594dd 0x36d593a5 0x316b7b85 0x316d1533 0x317575a1 0x3093fc1d 0x3093fad8) 31 Oct 2011 07:39:29 - UIKitApplication:com.apple.mobilemail[0xd568] [78] (Notice): terminate called throwing an exception 31 Oct 2011 07:39:28 - SpringBoard [15] (Warning): SMS Plugin initialized. 31 Oct 2011 07:39:28 - SpringBoard [15] (Warning): Telephony plugin initialized 31 Oct 2011 07:39:28 - SpringBoard [15] (Warning): SIMToolkit plugin for SpringBoard initialized. 31 Oct 2011 07:39:28 - SpringBoard [15] (Error): WiFi: Consulting "no-sdio-devices" property. 31 Oct 2011 07:39:28 - SpringBoard [15] (Error): WiFi: "no-sdio-devices" property not found. 31 Oct 2011 07:39:28 - kernel [0] (Debug): launchd[78] Builtin profile: MobileMail (sandbox) 31 Oct 2011 07:39:28 - SpringBoard [15] (Warning): WiFi picker plugin initialized 31 Oct 2011 07:39:28 - SpringBoard [15] (Warning): EKAlarmEngine: Region monitoring not available or enabled. Trigger ignored! 31 Oct 2011 07:39:27 - aggregated [58] (Warning): PLAggregateState Error: Leaving state screen_off even though we are not in it, doing nothing 31 Oct 2011 07:39:27 - aggregated [58] (Warning): PLAggregateState Error: Entering state screen_on even though we are already in it, doing nothing 31 Oct 2011 07:39:27 - wifid [25] (Error): WiFi:[341732367.237832]: Disable WoW requested by "spd" 31 Oct 2011 07:39:27 - kernel [0] (Debug): AppleSerialMultiplexer: mux-ad(eng)::setLinkQualityMetricGated: Setting link quality metric to 100 31 Oct 2011 07:39:27 - SpringBoard [15] (Warning): BTM: posting notification BluetoothAvailabilityChangedNotification 31 Oct 2011 07:39:27 - SpringBoard [15] (Warning): BTM: BTLocalDeviceGetPairedDevices returned 0 devices 31 Oct 2011 07:39:27 - SpringBoard [15] (Error): WiFi: Consulting "no-sdio-devices" property. 31 Oct 2011 07:39:27 - SpringBoard [15] (Error): WiFi: "no-sdio-devices" property not found. 31 Oct 2011 07:39:26 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:15 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:26 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:16 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:26 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:16 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:26 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:16 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:25 - com.apple.CommCenter [17] (Notice): error 8 creating properties table: attempt to write a readonly database 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): MemMgr initialized: Dynamic pool heap size: 471280 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): MemMgr initialized: StaticMalloc heap available: 450164 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): BT_HCI_TRANSPORT not set - Attempting to read from plist. 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): DeviceTree transport = 0x00000003 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): HCI Transport is set to H4BC 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): DeviceTree speed = 3000000 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): Connected to com.apple.uart.bluetooth at 3000000 baud 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): Stack initialization complete 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): Codec 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Media Type: Audio    Codec Type: SBC    Sample Rates: 44100 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Channels: Stereo 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Blocks: 16 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Subbands: 8 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Allocation: Loudness 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Bitpool Range: 2-53 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): Codec 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Media Type: Audio    Codec Type: SBC    Sample Rates: 44100 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Channels: Stereo 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Blocks: 16 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Subbands: 8 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Allocation: Loudness 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Bitpool Range: 2-53 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice): Codec 31 Oct 2011 07:39:25 - com.apple.BTServer [63] (Notice):    Media Type: Audio    Codec Type: MPEG AAC    Data: 80 01 04 02 00 00 31 Oct 2011 07:39:25 - com.apple.locationd [44] (Notice): CELL_LOC: unknown registration technology, kCTRegistrationRadioAccessTechnologyUnknown 31 Oct 2011 07:39:25 - com.apple.locationd [44] (Notice): bad RAT for GSM: Cell, RAT, 8, Unknown, valid , 1, cellType , Unknown, Unknow / Invalid Cell 31 Oct 2011 07:39:25 - configd [14] (Notice): network configuration changed. 31 Oct 2011 07:39:25 - UserEventAgent [12] (Warning): Unable to cancel system wake for 2011-10-31 07:39:14 +0200. IOPMCancelScheduledPowerEvent() returned 0xe00002c2 31 Oct 2011 07:39:25 - SpringBoard [15] (Warning): BTM: attaching to BTServer 31 Oct 2011 07:39:24 - configd [14] (Notice): Captive: en0: Not probing 'Loki' (protected network) 31 Oct 2011 07:39:24 - configd [14] (Notice): network configuration changed. 31 Oct 2011 07:39:24 - kernel [0] (Debug): [69.521009416]: AppleBCMWLANNetManager::receivedIPv4Address(): Received address 10.0.1.193, entering powersave mode 2 31 Oct 2011 07:39:24 - kernel [0] (Debug): AppleBCMWLANCore:startRoamScan(): 2840 starting RoamScan; MultiAPEnv:0 isdualBand:1 isOn5G:1 31 Oct 2011 07:39:24 - configd [14] (Notice): network configuration changed. 31 Oct 2011 07:39:23 - SpringBoard [15] (Notice): IOMobileFrameBufferGetMirroringCapability returning -536870201 via kIOMFBConnectMethod_GetMirroringCapability 31 Oct 2011 07:39:22 - profiled [20] (Notice): (Note ) profiled: Checking for new carrier profile... 31 Oct 2011 07:39:22 - profiled [20] (Notice): (Error) MC: Failed to parse profile data. Error: NSError:
    Desc  : Invalid Profile
    US Desc: Invalid Profile
    Domain : MCProfileErrorDomain
    Code  : 1000
    Type  : MCFatalError 31 Oct 2011 07:39:22 - profiled [20] (Notice): (Note ) profiled: No configuration profile found in carrier bundle. 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleH4CamIn::ISP_LoadFullResLensShadingTable_gated (camChan=0) 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleH4CamIn::ISP_LoadSetfile_gated (camChan=1) 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleH4CamIn::setPowerStateGated: 1 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleH4CamIn::power_on_hardware 31 Oct 2011 07:39:22 - CommCenter [17] (Notice): Started Proximity Service 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleH4CamIn::setPowerStateGated: 0 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleH4CamIn::power_off_hardware 31 Oct 2011 07:39:22 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:39:21 - wifid [25] (Error): WiFi:[341732361.120492]: Processing link event UP 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleH4CamIn::ISP_Init - No set-file loaded for camera channel 0 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleH4CamIn::ISP_Init - No set-file loaded for camera channel 1 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleH4CamIn::ISP_InitialSensorDetection - found sensor on chan 0: 0x9726 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleH4CamIn::ISP_InitialSensorDetection - found sensor on chan 1: 0x7739 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleH4CamIn::power_off_hardware 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleH4CamIn::ISP_LoadSetfile_gated (camChan=0) 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleBCMWLANCore::setASSOCIATE() [wifid]:  lowerAuth = AUTHTYPE_OPEN, upperAuth = AUTHTYPE_WPA2_PSK, key = CIPHER_PMK , don't disassociate    . 31 Oct 2011 07:39:21 - kernel [0] (Debug): [66.563631125]: AppleBCMWLANNetManager::prepareToBringUpLink(): Delaying powersave entry in order to get an IP address 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleBCMWLAN Joined BSS:    @ 0xc0ff1800, BSSID = 00:24:36:a9:25:d8, rssi = -42, rate = 54 (100%), channel = 44, encryption = 0xc, ap = 1, failures =  0, age = 0, ssid[ 4] = "Loki" 31 Oct 2011 07:39:21 - kernel [0] (Debug): AirPort: Link Up on en0 31 Oct 2011 07:39:21 - kernel [0] (Debug): en0: BSSID changed to 00:24:36:a9:25:d8 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleSynopsysOTGDevice::handleUSBReset 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleBCMWLANJoinManager::handleSupplicantEvent(): status = 6, reason = 0, flags = 0x0, authtype = 0, addr = 00:00:48:01:2c:00 31 Oct 2011 07:39:21 - kernel [0] (Debug): AppleBCMWLANCore:startRoamScan(): 2826 Delaying RoamScan; because  Join Mgr Busy 0 isWaitingforIP 1 31 Oct 2011 07:39:21 - wifid [25] (Error): WiFi:[341732361.160873]: Event APPLE80211_M_ASSOC_DONE is not expected while command Scan is pending 31 Oct 2011 07:39:21 - backupd [54] (Warning): INFO: Account changed (enabled=1, accountID=85964511) 31 Oct 2011 07:39:21 - com.apple.CommCenter [17] (Notice): _connectAndCheckVersion: attempt to write a readonly database 31 Oct 2011 07:39:21 - CommCenter [17] (Notice): STOP LOCATION UPDATE 31 Oct 2011 07:39:21 - CommCenter [17] (Notice): STOP LOCATION UPDATE 31 Oct 2011 07:39:21 - com.apple.locationd [44] (Notice): NOTICE,Location icon should now be visible 31 Oct 2011 07:39:21 - MRMLowDiskUEA [12] (Notice): MobileDelete: LowDisk Plugin: start 31 Oct 2011 07:39:21 - MRMLowDiskUEA [12] (Notice): kqueue registration successful 31 Oct 2011 07:39:21 - com.apple.mediaserverd [41] (Notice): H4ISPDevice: sending full-res lens shading table to kernel, size = 2087924 31 Oct 2011 07:39:21 - UserEventAgent [12] (Notice): (Note ) PIH: SIM is now ready. 31 Oct 2011 07:39:20 - com.apple.misd [60] (Notice): allowing special port forwarding for test fixtures 31 Oct 2011 07:39:20 - softwareupdated [34] (Notice): 3e176ce8 : Cleaning up unused prepared updates 31 Oct 2011 07:39:20 - kernel [0] (Debug): BTServer[63] Builtin profile: BlueTool (sandbox) 31 Oct 2011 07:39:20 - kernel [0] (Debug): AppleH4CamIn::ISP_LoadFirmware_gated: fw len=1171480 31 Oct 2011 07:39:20 - kernel [0] (Debug): AppleH4CamIn::ISP_LoadFirmware_gated - firmware checksum: 0x0545E78A 31 Oct 2011 07:39:20 - kernel [0] (Debug): AppleH4CamIn::power_on_hardware 31 Oct 2011 07:39:20 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction Register function PTP 31 Oct 2011 07:39:20 - timed [28] (Notice): (Note ) CoreTime: Want active time in 40.24hrs. Need active time in 123.57hrs. 31 Oct 2011 07:39:20 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction all functions registered- we are ready to start usb stack 31 Oct 2011 07:39:20 - mstreamd [40] (Notice): (Note ) mstreamd: mstreamd starting up. 31 Oct 2011 07:39:20 - wifid [25] (Error): WiFi:[341732360.410103]: Client itunesstored is background application 31 Oct 2011 07:39:20 - com.apple.mediaserverd [41] (Notice): 32 bytes retrieved. 31 Oct 2011 07:39:20 - com.apple.locationd [44] (Notice): NOTICE,Location icon should now not be visible 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: USBAudioControl 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: USBAudioStreaming 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: IapOverUsbHid 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice - Configuration: PTP + Apple Mobile Device 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: PTP 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: AppleUSBMux 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice - Configuration: PTP + Apple Mobile Device + Apple USB Ethernet 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: PTP 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: AppleUSBMux 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice          Interface: AppleUSBEthernet 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction Register function USBAudioControl 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction Register function USBAudioStreaming 31 Oct 2011 07:39:19 - kernel [0] (Debug): IOAccessoryPortUSB::start 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction Register function IapOverUsbHid 31 Oct 2011 07:39:19 - kernel [0] (Debug): virtual bool AppleUSBDeviceMux::start(IOService*) build: Sep 15 2011 23:52:35 31 Oct 2011 07:39:19 - kernel [0] (Debug): init_waste 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction Register function AppleUSBMux 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleSynopsysOTGDevice::gated_registerFunction Register function AppleUSBEthernet 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleUSBEthernetDevice::start: Host MAC address = 36:51:c9:4d:da:c7 31 Oct 2011 07:39:19 - kernel [0] (Debug): AppleUSBEthernetDevice: Ethernet address 36:51:c9:4d:da:c8 31 Oct 2011 07:39:19 - com.apple.BTServer [63] (Notice): DeviceTree speed = 3000000 31 Oct 2011 07:39:19 - com.apple.networkd [72] (Notice): main:212 networkd.72 built Sep 16 2011 00:02:59 31 Oct 2011 07:39:19 - SpringBoard [15] (Notice): Posting 'com.apple.iokit.hid.displayStatus' notifyState=1 31 Oct 2011 07:39:19 - SpringBoard [15] (Notice): __IOHIDLoadBundles: Loaded 1 HID plugin 31 Oct 2011 07:39:19 - com.apple.BTServer [63] (Notice): Overriding BDADDR from environment variable: BT_DEVICE_ADDRESS = 34:51:c9:4d:da:c6 31 Oct 2011 07:39:19 - com.apple.BTServer [63] (Notice): Using host name: Peter-Brookss-iPad 31 Oct 2011 07:39:19 - SpringBoard [15] (Notice): CLTM: initial thermal level is 0 31 Oct 2011 07:39:19 - CommCenter [17] (Notice): START LOCATION UPDATE 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 lookup_baseband_info_old: The SIM status has changed 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 lookup_baseband_info_old: Inserting an IMSI into the data ark. Triggering an activation check. 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 load_activation_records: Could not extract ICCID from record 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 load_activation_records: This is a wildcard record 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 dealwith_activation: No unlock record. Looking for a care flag. 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 dealwith_activation: No care flag. Looking for a record that matches the SIM. 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 dealwith_activation: Looking up the record for ICCID 89017000000002367892 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 dealwith_activation: No record for the SIM. Looking for wildcard. 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: This device is a phone. It supports factory activation. 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: The original activation state is WildcardActivated 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: SIM status: kCTSIMSupportSIMStatusReady 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: Removing previously issued activation ticket from data ark 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: No ICCID in the activation record 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: The record contains a wildcard ticket 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 deliver_baseband_ticket: SIM is not in operator locked state. Ignoring activation ticket 31 Oct 2011 07:39:19 - lockdownd [21] (Error): 3e176ce8 determine_activation_state_old: The activation state has not changed. 31 Oct 2011 07:39:19 - SpringBoard [15] (Notice): MultitouchHID: detection mode: 255->0 (deferring until bootloaded) 31 Oct 2011 07:39:19 - CLTM [12] (Error): CLTM: resetting temps: now = 1320039559, last update = -2147483648 31 Oct 2011 07:39:19 - com.apple.BTServer [63] (Notice): Device not open yet, use 'device' to open it. 31 Oct 2011 07:39:19 - mediaserverd [41] (Error): 07:39:19.880493 com.apple.AVConference: /SourceCache/GameKitServices/GameKitServices-344.3/AVConference.subproj/Sources /AVConferenceServer.m:1867: AVConferenceServerStart 

  • OCI-21500 when binding a collection

    Hello all:
    I've got a very strange behaviour when binding a collection. If I try to bind an empty collection, my program runs. BUT when I add one element to the collection, I've got a SIGSEGV and this message appears:
    -21500: internal error code, arguments: [kohrsc153], [], [], [], [], [], [], []
    Errors in file :
    OCI-21500: internal error code, arguments: [kohrsc153], [], [], [], [], [], [], []
    ----- Call Stack Trace -----
    Error: stisini(),13 - Can't open /oracle1/app/oracle/product/9.2.0.1.0/bin/oracleError: Stack Initialization Failure
    Error: ssdinit() failed 13
    calling call entry argument values in hex
    location type point (? means dubious value)
    ----- Argument/Register Address Dump -----
    ----- End of Call Stack Trace -----
    Any idea?

    This is my code:
    CREATE TYPE my_collection IS TABLE OF my_element;
    I'm trying to call to a PLSQL procedure:
    PROCEDURE get_collection(
    v_collection IN OUT my_collection
    Then, in the C program:
    sword code = OCI_SUCCESS;
    OCITable pList              = (OCITable )0;
    char *statement_sql      = "begin package.get_collection(:list); end;";
    code=OCITypeByName(
    envhp,
    errhp,
    svchp,
    (CONST text *)ORA_SCHEMA,
    (ub4)ORA_SCHEMA_LEN,
    (CONST text *)("MY_ELEMENT"),
    (ub4)strlen("MY_ELEMENT"),
    NULL,
    (ub4)0,
    OCI_DURATION_SESSION,
    OCI_TYPEGET_ALL,
    &(DataClass)
    code=OCITypeByName(
    envhp,
    errhp,
    svchp,
    (CONST text *)ORA_SCHEMA,
    (ub4)ORA_SCHEMA_LEN,
    (CONST text *)("MY_COLLECTION"),
    (ub4)strlen("MY_COLLECTION"),
    NULL,
    (ub4)0,
    OCI_DURATION_SESSION,
    OCI_TYPEGET_ALL,
    &(DataListClass)
    code = OCIObjectNew(
    envhp,
    errhp,
    svchp,
    OCI_TYPECODE_NAMEDCOLLECTION,
    (DataListClass),
    (dvoid *)0,
    OCI_DURATION_DEFAULT,
    TRUE,
    (dvoid **)&(pList)
    /* Add one element */
    code = OCIObjectNew(
    envhp,
    errhp,
    svchp,
    OCI_TYPECODE_OBJECT,
    (DataClass),
    (dvoid *)0,
    OCI_DURATION_DEFAULT,
    TRUE,
    (dvoid **)&(elemData)
    code = OCIStringAssignText(
    envhp,
    errhp,
    (text *)"Name1",
    (ub4)strlen("Name1"),
    &(elemData->dataName)
    code = OCICollAppend(
    envhp,
    errhp,
    (CONST dvoid *)&(elemData),
    (dvoid **)NULL,
    (OCIColl *)(pCollection)
    code = OCIStmtPrepare2((OCISvcCtx *)svchp,(OCIStmt **)&stmtp,
    (OCIError *)errhp, (unsigned char *)statement_sql, strlen(statement_sql),
    NULL,0,OCI_NTV_SYNTAX,OCI_DEFAULT);
    /* Bind */
    code = OCIBindByPos(
    stmtp,
    &bind,
    errhp,
    (ub4)1,
    (dvoid* *) NULL,
    (sb4) 0,
    SQLT_NTY,
    (dvoid *) 0, (ub2 *)0, (ub2 *)0,
    (ub4) 0, (ub4 *) 0, (ub4) OCI_DEFAULT);
    code = OCIBindObject(
         bind,
    errhp,
    DataListClass,
    (dvoid **) &pList,
    (ub4 *) 0,
    (dvoid **)0,
    (ub4 *) 0);
    /* Execute */
    code = OCIStmtExecute(svchp, stmtp, errhp, (ub4)1, (ub4)0,
    (CONST OCISnapshot *) NULL,(OCISnapshot *) NULL, OCI_DEFAULT);
    I'm trying to run this code in an Oracle 9i environment.
    Thanks in advance.

  • Stock Initialization_system Landscape

    Dear Friends,
    our system landscape is like this
    dev r3 005
    devr3 010  un modified
    qas 100 connects with bi dev client.
    now i need to load inventory data
    how to transport the data source 2lis_03_bx
    wher do i need to do stack initialization.
    i am confused here.Please very urgent.
    Tell me the procedure.
    Thanks and Best Regards,
    Sam

    Check RZ70, activate and execute it. This will schedule the job to send data to SLD.
    Also check the output when you execute. It will create SLD_UC/SLD_NUC. Check this RFC via SM59.
    Please check via SM37 job  SAP_SLD_DATA_COLLECT is finishing successfully. You may want to copy this job and execute once to check data gets updated into SLD.
    Check my blog entry for this topic [http://chintawarblog.spaces.live.com/blog/cns!B1EF6DA99E8451B!116.entry]

  • Implementing First In First Out Behaviour Using PL/SQL object types

    Hi Friends,
    I have a Integer Array of type Varray, I want to implement first in first out behaviour using Pl/SQL object type.Please provide me some idea that i can proceed. If you can provide me any sample code or any documentation,i will be very much thankful to you.Eagerly waiting for your reply.
    Thanks

    basically i have to implement a queue using pl/sql object types to traverse a tree as we can implement stack (LIFO).
    I can give an example of Stack implementation...
    CREATE or replace TYPE IntArray AS VARRAY(50) OF INTEGER;
    CREATE or replace TYPE IntStack_O AS OBJECT (
    maximalSize INTEGER
    ,top INTEGER
    ,position IntArray
    ,MEMBER PROCEDURE initialize
    ,MEMBER FUNCTION full RETURN BOOLEAN
    ,MEMBER FUNCTION empty RETURN BOOLEAN
    ,MEMBER FUNCTION getAnzahl RETURN INTEGER
    ,MEMBER PROCEDURE push (n IN INTEGER)
    ,MEMBER PROCEDURE pop (n OUT INTEGER)
    CREATE or replace TYPE body IntStack_O AS
    MEMBER PROCEDURE initialize IS
    BEGIN
    top := 0;
    -- Call Constructor und set element 1 to NULL
    position := IntArray(NULL);
    maximalSize := position.LIMIT; -- Get Varray Size
    position.EXTEND(maximalSize -1, 1); -- copy elements 1 in 2..50
    END initialize;
    MEMBER FUNCTION full RETURN BOOLEAN IS
    BEGIN
    RETURN (top = maximalSize); — Return TRUE when Stack is full
    END full;
    MEMBER FUNCTION empty RETURN BOOLEAN IS
    BEGIN
    RETURN (top = 0); — Return TRUE when Stack is empty
    END empty;
    MEMBER FUNCTION getAnzahl RETURN integer IS
    BEGIN
    RETURN top;
    END;
    MEMBER PROCEDURE push (n IN INTEGER) IS
    BEGIN
    IF NOT full
    THEN
    top := top + 1; — Push Integer onto the stack
    position(top) := n;
    ELSE
    –Stack ist voll!
    RAISE_APPLICATION_ERROR(-20101, ‘Error! Stack overflow. ‘
    ||’limit for stacksize reached.’);
    END IF;
    END push;
    MEMBER PROCEDURE pop (n OUT INTEGER) IS
    BEGIN
    IF NOT empty
    THEN
    n := position(top);
    top := top -1; — take top element from stack
    ELSE
    –Stack ist leer!
    RAISE_APPLICATION_ERROR(-20102, ‘Error! Stack underflow. ‘
    ||’stack is empty.’);
    END IF;
    END pop;
    END;
    Now if i run this..i will be getting the following output...
    DECLARE
    stack intstack_o := intstack_o(NULL,NULL,NULL);
    a INTEGER;
    BEGIN
    stack.initialize;
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    stack.push(1111);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    stack.push(1112);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    stack.push(1113);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    stack.pop(a);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    dbms_output.put_line(a);
    stack.pop(a);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    dbms_output.put_line(a);
    stack.pop(a);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    dbms_output.put_line(a);
    stack.pop(a);
    dbms_output.put_line('Anzahl: ' || stack.getAnzahl);
    dbms_output.put_line(a);
    END;
    Output...
    Anzahl: 0
    Anzahl: 1
    Anzahl: 2
    Anzahl: 3
    Anzahl: 2
    1113
    Anzahl: 1
    1112
    Anzahl: 0
    1111
    Above is the Stack (Last In First Out) Implementations of integer array.Now my Requirement is Queue(First In First Out) Implementation of Integer array.

  • Stack file that is generated does not contain any java components

    We are in process of upgrading our ecc6.0 system with ehp4. The enhancement is stuck up in configuration phase for JAVA. Though we have configured Java in solution manager the stack file that is generated does not contain any java components and so the installation is stuck up. Kindly request you to advice us on this issue .
    Attached is the 'Trouble Ticket Report', PREPARE_JSPM_QUEUE_CSZ_01.LOG, and SMSDXML_EA4_20100623144541.375.txt
    ++++
    Trouble Ticket Report
    Installation of enhancement package 1 for SAP NetWeaver 7.0
    SID................: EA4
    Hostname...........: wipro
    Install directory..: e:/usr/sap/EA4
    Upgrade directory..: F:\EHPI\java
    Database...........: Oracle
    Operating System...: NT
    JDK version........: 1.6.0_07 SAP AG
    SAPJup version.....: 3.4.29
    Source release.....: 700
    Target release.....: 700
    Start release SP...: $(/J2EE/StandardSystem/SPLevel)
    Target release SP..: $(/J2EE/ShadowSystem/SPLevel)
    Current usages.....:
    ABAP stack present.: true
    The execution of PREPARE/INIT/PREPARE_JSPM_QUEUE ended in error.
    The stack E:\usr\sap\trans\EPS\SMSDXML_EA4_20100625054857.968.xml contains no components for this system.
    More information can be found in the log file F:\EHPI\java\log\PREPARE_JSPM_QUEUE_CSZ_02.LOG.
    Use the information provided to trouble-shoot the problem. There might be an OSS note providing a solution to this problem. Search for OSS notes with the following search terms:
    com.sap.sdt.j2ee.phases.PhaseTypePrepareJSPMQueue
    com.sap.sdt.ucp.phases.PhaseException
    The stack E:\usr\sap\trans\EPS\SMSDXML_EA4_20100625054857.968.xml contains no components for this system.
    PREPARE_JSPM_QUEUE
    INIT
    NetWeaver Enhancement Package Installation
    SAPJup
    Java Enhancement Package Installation
    ++++++
    PREPARE_JSPM_QUEUE_CSZ_01.LOG>>
    <!LOGHEADER[START]/>
    <!HELP[Manual modification of the header may cause parsing problem!]/>
    <!LOGGINGVERSION[2.0.7.1006]/>
    <!NAME[F:\EHPI\java\log\PREPARE_JSPM_QUEUE_CSZ_01.LOG]/>
    <!PATTERN[PREPARE_JSPM_QUEUE_CSZ_01.LOG]/>
    <!FORMATTER[com.sap.tc.logging.TraceFormatter(%d [%s]: %-100l [%t]: %m)]/>
    <!ENCODING[UTF8]/>
    <!LOGHEADER[END]/>
    Jun 28, 2010 9:21:23 AM [Info]:                      com.sap.sdt.ucp.phases.AbstractPhaseType.initialize(AbstractPhaseType.java:754) [Thread[main,5,main]]: Phase PREPARE/INIT/PREPARE_JSPM_QUEUE has been started.
    Jun 28, 2010 9:21:23 AM [Info]:                      com.sap.sdt.ucp.phases.AbstractPhaseType.initialize(AbstractPhaseType.java:755) [Thread[main,5,main]]: Phase type is com.sap.sdt.j2ee.phases.PhaseTypePrepareJSPMQueue.
    Jun 28, 2010 9:21:23 AM [Info]:                   com.sap.sdt.ucp.phases.AbstractPhaseType.logParameters(AbstractPhaseType.java:409) [Thread[main,5,main]]:   Parameter inputFile=EHPComponents.xml
    Jun 28, 2010 9:21:23 AM [Info]: com.sap.sdt.j2ee.phases.jspm.JSPMQueuePreparatorFactory.createJSPMQueuePreparator(JSPMQueuePreparatorFactory.java:93) [Thread[main,5,main]]: Creating JSPM SP Stack  queue preparator.
    Jun 28, 2010 9:21:24 AM [Info]: com.sap.sdt.ucp.dialog.elim.DialogEliminatorContainer.canBeOmitted(DialogEliminatorContainer.java:96) [Thread[main,5,main]]: Dialog eliminator spStackDialogEliminator allows to omit dialog SPStackLocationDialog
    Jun 28, 2010 9:21:24 AM [Info]:                  com.sap.sdt.util.validate.ValidationProcessor.validate(ValidationProcessor.java:97) [Thread[main,5,main]]: Validatable parameter SP/STACK/LOCATION has been validated by validator RequiredFields.
    Jun 28, 2010 9:21:24 AM [Info]:                  com.sap.sdt.util.validate.ValidationProcessor.validate(ValidationProcessor.java:97) [Thread[main,5,main]]: Validatable parameter SP/STACK/LOCATION has been validated by validator SPStackLocationValidator.
    Jun 28, 2010 9:21:24 AM [Info]: com.sap.sdt.j2ee.phases.jspm.JSPMSpStackQueuePreparator.createQueue(JSPMSpStackQueuePreparator.java:107) [Thread[main,5,main]]: Using SP Stack E:\usr\sap\trans\EPS\SMSDXML_EA4_20100625054857.968.xml.
    Jun 28, 2010 9:21:24 AM [Info]:                   com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseStackTag(SPXmlParser.java:488) [Thread[main,5,main]]: STACK-SHORT-NAME tag is missing. The CAPTION of the stack will be used as stack name.
    Jun 28, 2010 9:21:24 AM [Info]:                   com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseStackTag(SPXmlParser.java:582) [Thread[main,5,main]]: PRODUCT-PPMS-NAME tag is missing. The CAPTION of the product will be used as product PPMS name.
    Jun 28, 2010 9:21:24 AM [Info]:                      com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSPXml(SPXmlParser.java:424) [Thread[main,5,main]]: Parsing of stack definition file E:\usr\sap\trans\EPS\SMSDXML_EA4_20100625054857.968.xml has finished.
    Jun 28, 2010 9:21:24 AM [Error]:                       com.sap.sdt.ucp.phases.AbstractPhaseType.doExecute(AbstractPhaseType.java:863) [Thread[main,5,main]]: Exception has occurred during the execution of the phase.
    Jun 28, 2010 9:21:24 AM [Error]: com.sap.sdt.j2ee.phases.jspm.JSPMSpStackQueuePreparator.createQueue(JSPMSpStackQueuePreparator.java:136) [Thread[main,5,main]]: The stack E:\usr\sap\trans\EPS\SMSDXML_EA4_20100625054857.968.xml contains no components for this system.
    Jun 28, 2010 9:21:24 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:906) [Thread[main,5,main]]: Phase PREPARE/INIT/PREPARE_JSPM_QUEUE has been completed.
    Jun 28, 2010 9:21:24 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:907) [Thread[main,5,main]]: Start time: 2010/06/28 09:21:23.
    Jun 28, 2010 9:21:24 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:909) [Thread[main,5,main]]: End time: 2010/06/28 09:21:24.
    Jun 28, 2010 9:21:24 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:910) [Thread[main,5,main]]: Duration: 0:00:00.781.
    Jun 28, 2010 9:21:24 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:911) [Thread[main,5,main]]: Phase status is error.
    ++++++++++++++++++++++
    [stack xml data: version=1.0]
    [SPAM_CVERS]
    ST-PI                         2005_1_7000006
    LSOFE                         600       0015
    SAP_AP                        700       0015
    SAP_BASIS                     701       0003
    SAP_ABA                       701       0003
    SAP_BW                        701       0003
    PI_BASIS                      701       0003
    PLMWUI                        700       0002
    SAP_APPL                      604       0002
    EA-APPL                       604       0002
    SAP_BS_FND                    701       0002
    EA-IPPE                       404       0002
    WEBCUIF                       700       0002
    INSURANCE                     604       0002
    FI-CA                         604       0002
    ERECRUIT                      604       0002
    ECC-DIMP                      604       0002
    EA-DFPS                       604       0002
    IS-UT                         604       0002
    IS-H                          604       0003
    EA-RETAIL                     604       0002
    EA-FINSERV                    604       0002
    IS-OIL                        604       0002
    IS-PRA                        604       0002
    IS-M                          604       0002
    SEM-BW                        604       0002
    FINBASIS                      604       0002
    FI-CAX                        604       0002
    EA-GLTRADE                    604       0002
    IS-CWM                        604       0002
    EA-PS                         604       0002
    IS-PS-CA                      604       0002
    EA-HR                         604       0005
    SAP_HR                        604       0005
    ECC-SE                        604       0002
    [PRDVERS]                                  
    01200314690900000432SAP ERP ENHANCE PACKAGE       EHP2 FOR SAP ERP 6.0          sap.com                       EHP2 FOR SAP ERP 6.0                                                    -00000000000000
    01200314690900000463SAP ERP ENHANCE PACKAGE       EHP4 FOR SAP ERP 6.0          sap.com                       EHP4 FOR SAP ERP 6.0                                                    -00000000000000
    01200615320900001296                                                            sap.com                                                                                +00000000000000
    01200615320900001469SAP ERP ENHANCE PACKAGE       EHP3 FOR SAP ERP 6.0          sap.com                       EHP3 FOR SAP ERP 6.0                                                    -00000000000000
    01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01                                           +00000000000000
    [SWFEATURE]                                                                               
    1                   01200615320900001296SAP ERP                       2005                          sap.com                       SAP ERP 6.0: SAP ECC Server
    19                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Discrete Ind. & Mill Products
    20                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Media
    21                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Utilities/Waste&Recycl./Telco
    23                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Leasing/Contract A/R & A/P
    24                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Retail
    25                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Global Trade
    26                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Financial Supply Chain Mgmt
    30                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Central Applications
    31                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Strategic Enterprise Mgmt
    33                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Human Capital Management
    37                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Oil & Gas
    38                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Catch Weight Management
    42                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Public Sector Accounting
    43                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Insurance
    44                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Hospital
    45                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: SAP ECC Server VPack successor
    46                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: ERecruiting
    47                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Defense & Public Security
    48                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Financial Services
    55                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Oil & Gas with Utilities
    56                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: Defense
    59                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: PLM Core
    69                  01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: EAM config control
    9                   01200615320900003195EHP4 FOR SAP ERP 6.0_NW701    EHP4 FOR ERP 6.0_NW701        sap.com                       EHP4 FOR SAP ERP 6.0 / NW7.01: SAP ESA ECC-SE
    ++++++++++++++++

    Though we have configured Java in solution manager the stack file that is generated does not contain any java components
    You will probably need to update Solution Manager first with a number of corrections so you can get a correctly generated stack file. Depending on your ST400 version in Solution Manager apply collective corrections from "Note 1461849 - MOpz: Collective corrections 24" or "Note 1452118 - MOpz: Collective Corrections 23". They generally deal with these kind of stack file issues.
    Nelis

  • [GAVE UP] Failure to initialize graphics device [Thinkpad 530W,Nvidia]

    Hello,
    I fail to use `nvidia` as graphics driver for my xorg on a Thinkpad 530W laptop using Nvidia Quadro 2000M and intel graphics card. Using instead `intel` or `vesa` work. This following logs are with optimus enabled, but I tried the same things with only the nvidia graphics card enabled in the bios and I also fail to load the nvidia driver.
    I followed the advice at
    https://wiki.archlinux.org/index.php/NV … IA_Optimus
    for xorg not to be confused by the presense of two graphics cards.
    Do you have any ideas how I get the nvidia card to run? Should I try Bumblebee? But can this even help if already only the nvidia card by itself makes problem? Do you need any more information?
    Thanks, for any advice,
    Holger
    This is a fresh install on a new laptop and I am new to Arch (but with Linux for a long time).
    Here are the logs:
    XOrg.log
    [ 6.236]
    X.Org X Server 1.14.4
    Release Date: 2013-10-31
    [ 6.236] X Protocol Version 11, Revision 0
    [ 6.236] Build Operating System: Linux 3.11.6-1-ARCH x86_64
    [ 6.236] Current Operating System: Linux ho-think 3.12.2-1-ARCH #1 SMP PREEMPT Fri Nov 29 21:14:15 CET 2013 x86_64
    [ 6.236] Kernel command line: BOOT_IMAGE=/boot/vmlinuz-linux root=UUID=267f069c-11da-4d2a-88fa-00cab4e28149 rw quiet resume=/dev/sda6
    [ 6.236] Build Date: 01 November 2013 05:10:48PM
    [ 6.236]
    [ 6.236] Current version of pixman: 0.32.4
    [ 6.236] Before reporting problems, check http://wiki.x.org
    to make sure that you have the latest version.
    [ 6.236] Markers: (--) probed, (**) from config file, (==) default setting,
    (++) from command line, (!!) notice, (II) informational,
    (WW) warning, (EE) error, (NI) not implemented, (??) unknown.
    [ 6.237] (==) Log file: "/var/log/Xorg.0.log", Time: Thu Dec 5 23:50:52 2013
    [ 6.239] (==) Using config directory: "/etc/X11/xorg.conf.d"
    [ 6.239] (==) Using system config directory "/usr/share/X11/xorg.conf.d"
    [ 6.239] (==) No Layout section. Using the first Screen section.
    [ 6.239] (==) No screen section available. Using defaults.
    [ 6.239] (**) |-->Screen "Default Screen Section" (0)
    [ 6.239] (**) | |-->Monitor "<default monitor>"
    [ 6.240] (==) No device specified for screen "Default Screen Section".
    Using the first device section listed.
    [ 6.240] (**) | |-->Device "Nvidia Card"
    [ 6.240] (==) No monitor specified for screen "Default Screen Section".
    Using a default monitor configuration.
    [ 6.240] (==) Automatically adding devices
    [ 6.240] (==) Automatically enabling devices
    [ 6.240] (==) Automatically adding GPU devices
    [ 6.242] (WW) The directory "/usr/share/fonts/Type1/" does not exist.
    [ 6.242] Entry deleted from font path.
    [ 6.244] (==) FontPath set to:
    /usr/share/fonts/misc/,
    /usr/share/fonts/TTF/,
    /usr/share/fonts/OTF/,
    /usr/share/fonts/100dpi/,
    /usr/share/fonts/75dpi/
    [ 6.244] (==) ModulePath set to "/usr/lib/xorg/modules"
    [ 6.244] (II) The server relies on udev to provide the list of input devices.
    If no devices become available, reconfigure udev or disable AutoAddDevices.
    [ 6.244] (II) Loader magic: 0x7fdc20
    [ 6.244] (II) Module ABI versions:
    [ 6.244] X.Org ANSI C Emulation: 0.4
    [ 6.244] X.Org Video Driver: 14.1
    [ 6.244] X.Org XInput driver : 19.1
    [ 6.244] X.Org Server Extension : 7.0
    [ 6.244] (II) xfree86: Adding drm device (/dev/dri/card0)
    [ 6.245] (II) xfree86: Adding drm device (/dev/dri/card1)
    [ 6.246] (--) PCI:*(0:0:2:0) 8086:0166:17aa:21f5 rev 9, Mem @ 0xf1400000/4194304, 0xe0000000/268435456, I/O @ 0x00006000/64
    [ 6.246] (--) PCI: (0:1:0:0) 10de:0ffb:17aa:21f5 rev 161, Mem @ 0xf0000000/16777216, 0xc0000000/268435456, 0xd0000000/33554432, I/O @ 0x00005000/128, BIOS @ 0x????????/524288
    [ 6.246] Initializing built-in extension Generic Event Extension
    [ 6.246] Initializing built-in extension SHAPE
    [ 6.246] Initializing built-in extension MIT-SHM
    [ 6.246] Initializing built-in extension XInputExtension
    [ 6.246] Initializing built-in extension XTEST
    [ 6.246] Initializing built-in extension BIG-REQUESTS
    [ 6.246] Initializing built-in extension SYNC
    [ 6.246] Initializing built-in extension XKEYBOARD
    [ 6.246] Initializing built-in extension XC-MISC
    [ 6.246] Initializing built-in extension SECURITY
    [ 6.247] Initializing built-in extension XINERAMA
    [ 6.247] Initializing built-in extension XFIXES
    [ 6.247] Initializing built-in extension RENDER
    [ 6.247] Initializing built-in extension RANDR
    [ 6.247] Initializing built-in extension COMPOSITE
    [ 6.247] Initializing built-in extension DAMAGE
    [ 6.247] Initializing built-in extension MIT-SCREEN-SAVER
    [ 6.247] Initializing built-in extension DOUBLE-BUFFER
    [ 6.247] Initializing built-in extension RECORD
    [ 6.247] Initializing built-in extension DPMS
    [ 6.247] Initializing built-in extension X-Resource
    [ 6.247] Initializing built-in extension XVideo
    [ 6.247] Initializing built-in extension XVideo-MotionCompensation
    [ 6.247] Initializing built-in extension XFree86-VidModeExtension
    [ 6.247] Initializing built-in extension XFree86-DGA
    [ 6.247] Initializing built-in extension XFree86-DRI
    [ 6.247] Initializing built-in extension DRI2
    [ 6.247] (II) "glx" will be loaded by default.
    [ 6.247] (II) LoadModule: "dri2"
    [ 6.247] (II) Module "dri2" already built-in
    [ 6.247] (II) LoadModule: "glamoregl"
    [ 6.275] (II) Loading /usr/lib/xorg/modules/libglamoregl.so
    [ 6.475] (II) Module glamoregl: vendor="X.Org Foundation"
    [ 6.475] compiled for 1.14.2, module version = 0.5.1
    [ 6.475] ABI class: X.Org ANSI C Emulation, version 0.4
    [ 6.475] (II) LoadModule: "glx"
    [ 6.475] (II) Loading /usr/lib/xorg/modules/extensions/libglx.so
    [ 6.517] (II) Module glx: vendor="NVIDIA Corporation"
    [ 6.517] compiled for 4.0.2, module version = 1.0.0
    [ 6.517] Module class: X.Org Server Extension
    [ 6.517] (II) NVIDIA GLX Module 331.20 Wed Oct 30 17:36:48 PDT 2013
    [ 6.517] Loading extension GLX
    [ 6.517] (II) LoadModule: "nvidia"
    [ 6.517] (II) Loading /usr/lib/xorg/modules/drivers/nvidia_drv.so
    [ 6.549] (II) Module nvidia: vendor="NVIDIA Corporation"
    [ 6.549] compiled for 4.0.2, module version = 1.0.0
    [ 6.549] Module class: X.Org Video Driver
    [ 6.549] (II) NVIDIA dlloader X Driver 331.20 Wed Oct 30 17:16:53 PDT 2013
    [ 6.549] (II) NVIDIA Unified Driver for all Supported NVIDIA GPUs
    [ 6.549] (++) using VT number 7
    [ 6.553] (II) Loading sub module "fb"
    [ 6.554] (II) LoadModule: "fb"
    [ 6.554] (II) Loading /usr/lib/xorg/modules/libfb.so
    [ 6.557] (II) Module fb: vendor="X.Org Foundation"
    [ 6.557] compiled for 1.14.4, module version = 1.0.0
    [ 6.557] ABI class: X.Org ANSI C Emulation, version 0.4
    [ 6.557] (WW) Unresolved symbol: fbGetGCPrivateKey
    [ 6.557] (II) Loading sub module "wfb"
    [ 6.557] (II) LoadModule: "wfb"
    [ 6.557] (II) Loading /usr/lib/xorg/modules/libwfb.so
    [ 6.559] (II) Module wfb: vendor="X.Org Foundation"
    [ 6.559] compiled for 1.14.4, module version = 1.0.0
    [ 6.559] ABI class: X.Org ANSI C Emulation, version 0.4
    [ 6.559] (II) Loading sub module "ramdac"
    [ 6.559] (II) LoadModule: "ramdac"
    [ 6.559] (II) Module "ramdac" already built-in
    [ 6.559] (II) NVIDIA(0): Creating default Display subsection in Screen section
    "Default Screen Section" for depth/fbbpp 24/32
    [ 6.559] (==) NVIDIA(0): Depth 24, (==) framebuffer bpp 32
    [ 6.559] (==) NVIDIA(0): RGB weight 888
    [ 6.559] (==) NVIDIA(0): Default visual is TrueColor
    [ 6.559] (==) NVIDIA(0): Using gamma correction (1.0, 1.0, 1.0)
    [ 6.559] (**) NVIDIA(0): Enabling 2D acceleration
    [ 11.161] (EE) NVIDIA(GPU-0): Failed to initialize the NVIDIA GPU at PCI:1:0:0. Please
    [ 11.161] (EE) NVIDIA(GPU-0): check your system's kernel log for additional error
    [ 11.161] (EE) NVIDIA(GPU-0): messages and refer to Chapter 8: Common Problems in the
    [ 11.161] (EE) NVIDIA(GPU-0): README for additional information.
    [ 11.161] (EE) NVIDIA(GPU-0): Failed to initialize the NVIDIA graphics device!
    [ 11.161] (EE) NVIDIA(0): Failing initialization of X screen 0
    [ 11.161] (II) UnloadModule: "nvidia"
    [ 11.161] (II) UnloadSubModule: "wfb"
    [ 11.161] (II) UnloadSubModule: "fb"
    [ 11.161] (EE) Screen(s) found, but none have a usable configuration.
    [ 11.161] (EE)
    Fatal server error:
    [ 11.161] (EE) no screens found(EE)
    [ 11.161] (EE)
    Please consult the The X.Org Foundation support
    at http://wiki.x.org
    for help.
    [ 11.161] (EE) Please also check the log file at "/var/log/Xorg.0.log" for additional information.
    [ 11.162] (EE)
    [ 11.167] (EE) Server terminated with error (1). Closing log file.
    dmesg with the nvidia failure at the end:
    [ 0.000000] Initializing cgroup subsys cpuset
    [ 0.000000] Initializing cgroup subsys cpu
    [ 0.000000] Initializing cgroup subsys cpuacct
    [ 0.000000] Linux version 3.12.2-1-ARCH (tobias@T-POWA-LX) (gcc version 4.8.2 (GCC) ) #1 SMP PREEMPT Fri Nov 29 21:14:15 CET 2013
    [ 0.000000] Command line: BOOT_IMAGE=/boot/vmlinuz-linux root=UUID=267f069c-11da-4d2a-88fa-00cab4e28149 rw quiet resume=/dev/sda6
    [ 0.000000] e820: BIOS-provided physical RAM map:
    [ 0.000000] BIOS-e820: [mem 0x0000000000000000-0x000000000009d7ff] usable
    [ 0.000000] BIOS-e820: [mem 0x000000000009d800-0x000000000009ffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000000e0000-0x00000000000fffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000000100000-0x000000001fffffff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000020000000-0x00000000201fffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000020200000-0x0000000040003fff] usable
    [ 0.000000] BIOS-e820: [mem 0x0000000040004000-0x0000000040004fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000040005000-0x00000000a6b2ffff] usable
    [ 0.000000] BIOS-e820: [mem 0x00000000a6b30000-0x00000000bae9efff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000bae9f000-0x00000000baf9efff] ACPI NVS
    [ 0.000000] BIOS-e820: [mem 0x00000000baf9f000-0x00000000baffefff] ACPI data
    [ 0.000000] BIOS-e820: [mem 0x00000000bafff000-0x00000000bf9fffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000f8000000-0x00000000fbffffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fec00000-0x00000000fec00fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed08000-0x00000000fed08fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed10000-0x00000000fed19fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fed1c000-0x00000000fed1ffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000fee00000-0x00000000fee00fff] reserved
    [ 0.000000] BIOS-e820: [mem 0x00000000ffc00000-0x00000000ffffffff] reserved
    [ 0.000000] BIOS-e820: [mem 0x0000000100000000-0x000000043e5fffff] usable
    [ 0.000000] BIOS-e820: [mem 0x000000043e600000-0x000000043e7fffff] reserved
    [ 0.000000] NX (Execute Disable) protection: active
    [ 0.000000] SMBIOS 2.7 present.
    [ 0.000000] DMI: LENOVO 2447DW0/2447DW0, BIOS G5ET93WW (2.53 ) 05/24/2013
    [ 0.000000] e820: update [mem 0x00000000-0x00000fff] usable ==> reserved
    [ 0.000000] e820: remove [mem 0x000a0000-0x000fffff] usable
    [ 0.000000] No AGP bridge found
    [ 0.000000] e820: last_pfn = 0x43e600 max_arch_pfn = 0x400000000
    [ 0.000000] MTRR default type: uncachable
    [ 0.000000] MTRR fixed ranges enabled:
    [ 0.000000] 00000-9FFFF write-back
    [ 0.000000] A0000-BFFFF uncachable
    [ 0.000000] C0000-FFFFF write-protect
    [ 0.000000] MTRR variable ranges enabled:
    [ 0.000000] 0 base 0FFC00000 mask FFFC00000 write-protect
    [ 0.000000] 1 base 000000000 mask F80000000 write-back
    [ 0.000000] 2 base 080000000 mask FC0000000 write-back
    [ 0.000000] 3 base 0BC000000 mask FFC000000 uncachable
    [ 0.000000] 4 base 0BB000000 mask FFF000000 uncachable
    [ 0.000000] 5 base 100000000 mask F00000000 write-back
    [ 0.000000] 6 base 200000000 mask E00000000 write-back
    [ 0.000000] 7 base 400000000 mask FC0000000 write-back
    [ 0.000000] 8 base 43F000000 mask FFF000000 uncachable
    [ 0.000000] 9 base 43E800000 mask FFF800000 uncachable
    [ 0.000000] x86 PAT enabled: cpu 0, old 0x7040600070406, new 0x7010600070106
    [ 0.000000] e820: last_pfn = 0xa6b30 max_arch_pfn = 0x400000000
    [ 0.000000] found SMP MP-table at [mem 0x000f0100-0x000f010f] mapped at [ffff8800000f0100]
    [ 0.000000] Scanning 1 areas for low memory corruption
    [ 0.000000] Base memory trampoline at [ffff880000097000] 97000 size 24576
    [ 0.000000] init_memory_mapping: [mem 0x00000000-0x000fffff]
    [ 0.000000] [mem 0x00000000-0x000fffff] page 4k
    [ 0.000000] BRK [0x01b32000, 0x01b32fff] PGTABLE
    [ 0.000000] BRK [0x01b33000, 0x01b33fff] PGTABLE
    [ 0.000000] BRK [0x01b34000, 0x01b34fff] PGTABLE
    [ 0.000000] init_memory_mapping: [mem 0x43e400000-0x43e5fffff]
    [ 0.000000] [mem 0x43e400000-0x43e5fffff] page 2M
    [ 0.000000] BRK [0x01b35000, 0x01b35fff] PGTABLE
    [ 0.000000] init_memory_mapping: [mem 0x43c000000-0x43e3fffff]
    [ 0.000000] [mem 0x43c000000-0x43e3fffff] page 2M
    [ 0.000000] init_memory_mapping: [mem 0x400000000-0x43bffffff]
    [ 0.000000] [mem 0x400000000-0x43bffffff] page 2M
    [ 0.000000] init_memory_mapping: [mem 0x00100000-0x1fffffff]
    [ 0.000000] [mem 0x00100000-0x001fffff] page 4k
    [ 0.000000] [mem 0x00200000-0x1fffffff] page 2M
    [ 0.000000] init_memory_mapping: [mem 0x20200000-0x40003fff]
    [ 0.000000] [mem 0x20200000-0x3fffffff] page 2M
    [ 0.000000] [mem 0x40000000-0x40003fff] page 4k
    [ 0.000000] BRK [0x01b36000, 0x01b36fff] PGTABLE
    [ 0.000000] BRK [0x01b37000, 0x01b37fff] PGTABLE
    [ 0.000000] init_memory_mapping: [mem 0x40005000-0xa6b2ffff]
    [ 0.000000] [mem 0x40005000-0x401fffff] page 4k
    [ 0.000000] [mem 0x40200000-0xa69fffff] page 2M
    [ 0.000000] [mem 0xa6a00000-0xa6b2ffff] page 4k
    [ 0.000000] init_memory_mapping: [mem 0x100000000-0x3ffffffff]
    [ 0.000000] [mem 0x100000000-0x3ffffffff] page 2M
    [ 0.000000] RAMDISK: [mem 0x379be000-0x37cd6fff]
    [ 0.000000] ACPI: RSDP 00000000000f0120 00024 (v02 LENOVO)
    [ 0.000000] ACPI: XSDT 00000000baffe170 000BC (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: FACP 00000000bafe6000 0010C (v05 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: DSDT 00000000bafe8000 10A68 (v01 LENOVO TP-G5 00002530 INTL 20061109)
    [ 0.000000] ACPI: FACS 00000000baf54000 00040
    [ 0.000000] ACPI: SLIC 00000000baffd000 00176 (v01 LENOVO TP-G5 00002530 PTL 00000001)
    [ 0.000000] ACPI: TCPA 00000000baffc000 00032 (v02 PTL LENOVO 06040000 LNVO 00000001)
    [ 0.000000] ACPI: SSDT 00000000baffb000 00408 (v01 LENOVO TP-SSDT2 00000200 INTL 20061109)
    [ 0.000000] ACPI: SSDT 00000000baffa000 00033 (v01 LENOVO TP-SSDT1 00000100 INTL 20061109)
    [ 0.000000] ACPI: SSDT 00000000baff9000 00797 (v01 LENOVO SataAhci 00001000 INTL 20061109)
    [ 0.000000] ACPI: HPET 00000000bafe4000 00038 (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: APIC 00000000bafe3000 00098 (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: MCFG 00000000bafe2000 0003C (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: ECDT 00000000bafe1000 00052 (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: FPDT 00000000bafe0000 00064 (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: ASF! 00000000bafe7000 000A5 (v32 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: UEFI 00000000bafdf000 0003E (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: UEFI 00000000bafde000 00042 (v01 PTL COMBUF 00000001 PTL 00000001)
    [ 0.000000] ACPI: MSDM 00000000bafdd000 00055 (v03 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: SSDT 00000000bafdc000 00D23 (v01 PmRef Cpu0Ist 00003000 INTL 20061109)
    [ 0.000000] ACPI: SSDT 00000000bafdb000 00A83 (v01 PmRef CpuPm 00003000 INTL 20061109)
    [ 0.000000] ACPI: UEFI 00000000bafda000 002A6 (v01 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: DBG2 00000000bafd9000 000E9 (v00 LENOVO TP-G5 00002530 PTL 00000002)
    [ 0.000000] ACPI: Local APIC address 0xfee00000
    [ 0.000000] No NUMA configuration found
    [ 0.000000] Faking a node at [mem 0x0000000000000000-0x000000043e5fffff]
    [ 0.000000] Initmem setup node 0 [mem 0x00000000-0x43e5fffff]
    [ 0.000000] NODE_DATA [mem 0x43e5ed000-0x43e5f1fff]
    [ 0.000000] [ffffea0000000000-ffffea0010ffffff] PMD -> [ffff88042e200000-ffff88043dbfffff] on node 0
    [ 0.000000] Zone ranges:
    [ 0.000000] DMA [mem 0x00001000-0x00ffffff]
    [ 0.000000] DMA32 [mem 0x01000000-0xffffffff]
    [ 0.000000] Normal [mem 0x100000000-0x43e5fffff]
    [ 0.000000] Movable zone start for each node
    [ 0.000000] Early memory node ranges
    [ 0.000000] node 0: [mem 0x00001000-0x0009cfff]
    [ 0.000000] node 0: [mem 0x00100000-0x1fffffff]
    [ 0.000000] node 0: [mem 0x20200000-0x40003fff]
    [ 0.000000] node 0: [mem 0x40005000-0xa6b2ffff]
    [ 0.000000] node 0: [mem 0x100000000-0x43e5fffff]
    [ 0.000000] On node 0 totalpages: 4083403
    [ 0.000000] DMA zone: 64 pages used for memmap
    [ 0.000000] DMA zone: 21 pages reserved
    [ 0.000000] DMA zone: 3996 pages, LIFO batch:0
    [ 0.000000] DMA32 zone: 10597 pages used for memmap
    [ 0.000000] DMA32 zone: 678191 pages, LIFO batch:31
    [ 0.000000] Normal zone: 53144 pages used for memmap
    [ 0.000000] Normal zone: 3401216 pages, LIFO batch:31
    [ 0.000000] ACPI: PM-Timer IO Port: 0x408
    [ 0.000000] ACPI: Local APIC address 0xfee00000
    [ 0.000000] ACPI: LAPIC (acpi_id[0x01] lapic_id[0x00] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x02] lapic_id[0x01] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x03] lapic_id[0x02] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x04] lapic_id[0x03] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x05] lapic_id[0x04] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x06] lapic_id[0x05] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x07] lapic_id[0x06] enabled)
    [ 0.000000] ACPI: LAPIC (acpi_id[0x08] lapic_id[0x07] 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 dfl dfl)
    [ 0.000000] ACPI: INT_SRC_OVR (bus 0 bus_irq 9 global_irq 9 high level)
    [ 0.000000] ACPI: IRQ0 used by override.
    [ 0.000000] ACPI: IRQ2 used by override.
    [ 0.000000] ACPI: IRQ9 used by override.
    [ 0.000000] Using ACPI (MADT) for SMP configuration information
    [ 0.000000] ACPI: HPET id: 0x8086a301 base: 0xfed00000
    [ 0.000000] smpboot: Allowing 8 CPUs, 0 hotplug CPUs
    [ 0.000000] nr_irqs_gsi: 40
    [ 0.000000] PM: Registered nosave memory: [mem 0x0009d000-0x0009dfff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x0009e000-0x0009ffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x000a0000-0x000dffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x000e0000-0x000fffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x20000000-0x201fffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0x40004000-0x40004fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xa6b30000-0xbae9efff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xbae9f000-0xbaf9efff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xbaf9f000-0xbaffefff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xbafff000-0xbf9fffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xbfa00000-0xf7ffffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xf8000000-0xfbffffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfc000000-0xfebfffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfec00000-0xfec00fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfec01000-0xfed07fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfed08000-0xfed08fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfed09000-0xfed0ffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfed10000-0xfed19fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfed1a000-0xfed1bfff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfed1c000-0xfed1ffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfed20000-0xfedfffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfee00000-0xfee00fff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xfee01000-0xffbfffff]
    [ 0.000000] PM: Registered nosave memory: [mem 0xffc00000-0xffffffff]
    [ 0.000000] e820: [mem 0xbfa00000-0xf7ffffff] available for PCI devices
    [ 0.000000] Booting paravirtualized kernel on bare hardware
    [ 0.000000] setup_percpu: NR_CPUS:128 nr_cpumask_bits:128 nr_cpu_ids:8 nr_node_ids:1
    [ 0.000000] PERCPU: Embedded 29 pages/cpu @ffff88043e200000 s86464 r8192 d24128 u262144
    [ 0.000000] pcpu-alloc: s86464 r8192 d24128 u262144 alloc=1*2097152
    [ 0.000000] pcpu-alloc: [0] 0 1 2 3 4 5 6 7
    [ 0.000000] Built 1 zonelists in Zone order, mobility grouping on. Total pages: 4019577
    [ 0.000000] Policy zone: Normal
    [ 0.000000] Kernel command line: BOOT_IMAGE=/boot/vmlinuz-linux root=UUID=267f069c-11da-4d2a-88fa-00cab4e28149 rw quiet resume=/dev/sda6
    [ 0.000000] PID hash table entries: 4096 (order: 3, 32768 bytes)
    [ 0.000000] xsave: enabled xstate_bv 0x7, cntxt size 0x340
    [ 0.000000] Checking aperture...
    [ 0.000000] No AGP bridge found
    [ 0.000000] Calgary: detecting Calgary via BIOS EBDA area
    [ 0.000000] Calgary: Unable to locate Rio Grande table in EBDA - bailing!
    [ 0.000000] Memory: 15995556K/16333612K available (5121K kernel code, 807K rwdata, 1708K rodata, 1144K init, 1288K bss, 338056K reserved)
    [ 0.000000] SLUB: HWalign=64, Order=0-3, MinObjects=0, CPUs=8, 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=128 to nr_cpu_ids=8.
    [ 0.000000] NR_IRQS:8448 nr_irqs:744 16
    [ 0.000000] Console: colour dummy device 80x25
    [ 0.000000] console [tty0] enabled
    [ 0.000000] allocated 65536000 bytes of page_cgroup
    [ 0.000000] please try 'cgroup_disable=memory' option if you don't want memory cgroups
    [ 0.000000] hpet clockevent registered
    [ 0.000000] tsc: Fast TSC calibration using PIT
    [ 0.003333] tsc: Detected 2694.031 MHz processor
    [ 0.000002] Calibrating delay loop (skipped), value calculated using timer frequency.. 5390.56 BogoMIPS (lpj=8980103)
    [ 0.000005] pid_max: default: 32768 minimum: 301
    [ 0.000027] Security Framework initialized
    [ 0.000034] AppArmor: AppArmor disabled by boot time parameter
    [ 0.000035] Yama: becoming mindful.
    [ 0.000923] Dentry cache hash table entries: 2097152 (order: 12, 16777216 bytes)
    [ 0.004551] Inode-cache hash table entries: 1048576 (order: 11, 8388608 bytes)
    [ 0.006146] Mount-cache hash table entries: 256
    [ 0.006298] Initializing cgroup subsys memory
    [ 0.006306] Initializing cgroup subsys devices
    [ 0.006307] Initializing cgroup subsys freezer
    [ 0.006309] Initializing cgroup subsys net_cls
    [ 0.006310] Initializing cgroup subsys blkio
    [ 0.006329] CPU: Physical Processor ID: 0
    [ 0.006330] CPU: Processor Core ID: 0
    [ 0.006334] ENERGY_PERF_BIAS: Set to 'normal', was 'performance'
    ENERGY_PERF_BIAS: View and update with x86_energy_perf_policy(8)
    [ 0.006663] mce: CPU supports 9 MCE banks
    [ 0.006675] CPU0: Thermal monitoring enabled (TM1)
    [ 0.006685] Last level iTLB entries: 4KB 512, 2MB 0, 4MB 0
    Last level dTLB entries: 4KB 512, 2MB 32, 4MB 32
    tlb_flushall_shift: 1
    [ 0.006786] Freeing SMP alternatives memory: 20K (ffffffff819e9000 - ffffffff819ee000)
    [ 0.007682] ACPI: Core revision 20130725
    [ 0.013359] ACPI: All ACPI Tables successfully acquired
    [ 0.014627] ftrace: allocating 20311 entries in 80 pages
    [ 0.023669] ..TIMER: vector=0x30 apic1=0 pin1=2 apic2=-1 pin2=-1
    [ 0.056667] smpboot: CPU0: Intel(R) Core(TM) i7-3740QM CPU @ 2.70GHz (fam: 06, model: 3a, stepping: 09)
    [ 0.056673] TSC deadline timer enabled
    [ 0.056680] Performance Events: PEBS fmt1+, 16-deep LBR, IvyBridge events, full-width counters, Intel PMU driver.
    [ 0.056686] ... version: 3
    [ 0.056687] ... bit width: 48
    [ 0.056688] ... generic registers: 4
    [ 0.056689] ... value mask: 0000ffffffffffff
    [ 0.056689] ... max period: 0000ffffffffffff
    [ 0.056690] ... fixed-purpose events: 3
    [ 0.056691] ... event mask: 000000070000000f
    [ 0.093731] NMI watchdog: enabled on all CPUs, permanently consumes one hw-PMU counter.
    [ 0.080104] smpboot: Booting Node 0, Processors # 1 # 2 # 3 # 4 # 5 # 6 # 7 OK
    [ 0.215283] Brought up 8 CPUs
    [ 0.215286] smpboot: Total of 8 processors activated (43121.51 BogoMIPS)
    [ 0.221817] devtmpfs: initialized
    [ 0.225267] PM: Registering ACPI NVS region [mem 0xbae9f000-0xbaf9efff] (1048576 bytes)
    [ 0.225908] RTC time: 22:50:45, date: 12/05/13
    [ 0.225941] NET: Registered protocol family 16
    [ 0.226022] cpuidle: using governor ladder
    [ 0.226024] cpuidle: using governor menu
    [ 0.226046] ACPI FADT declares the system doesn't support PCIe ASPM, so disable it
    [ 0.226048] ACPI: bus type PCI registered
    [ 0.226050] acpiphp: ACPI Hot Plug PCI Controller Driver version: 0.5
    [ 0.226221] PCI: MMCONFIG for domain 0000 [bus 00-3f] at [mem 0xf8000000-0xfbffffff] (base 0xf8000000)
    [ 0.226224] PCI: MMCONFIG at [mem 0xf8000000-0xfbffffff] reserved in E820
    [ 0.230705] PCI: Using configuration type 1 for base access
    [ 0.231329] bio: create slab <bio-0> at 0
    [ 0.231442] ACPI: Added _OSI(Module Device)
    [ 0.231443] ACPI: Added _OSI(Processor Device)
    [ 0.231444] ACPI: Added _OSI(3.0 _SCP Extensions)
    [ 0.231445] ACPI: Added _OSI(Processor Aggregator Device)
    [ 0.232701] ACPI: EC: EC description table is found, configuring boot EC
    [ 0.236337] [Firmware Bug]: ACPI: BIOS _OSI(Linux) query ignored
    [ 0.272341] ACPI: SSDT 00000000bae3a018 00A01 (v01 PmRef Cpu0Cst 00003001 INTL 20061109)
    [ 0.272660] ACPI: Dynamic OEM Table Load:
    [ 0.272661] ACPI: SSDT (null) 00A01 (v01 PmRef Cpu0Cst 00003001 INTL 20061109)
    [ 0.288532] ACPI: SSDT 00000000bae3ba98 00303 (v01 PmRef ApIst 00003000 INTL 20061109)
    [ 0.288874] ACPI: Dynamic OEM Table Load:
    [ 0.288876] ACPI: SSDT (null) 00303 (v01 PmRef ApIst 00003000 INTL 20061109)
    [ 0.301731] ACPI: SSDT 00000000bae39d98 00119 (v01 PmRef ApCst 00003000 INTL 20061109)
    [ 0.302048] ACPI: Dynamic OEM Table Load:
    [ 0.302049] ACPI: SSDT (null) 00119 (v01 PmRef ApCst 00003000 INTL 20061109)
    [ 0.316012] ACPI: Interpreter enabled
    [ 0.316018] ACPI Exception: AE_NOT_FOUND, While evaluating Sleep State [\_S1_] (20130725/hwxface-571)
    [ 0.316022] ACPI Exception: AE_NOT_FOUND, While evaluating Sleep State [\_S2_] (20130725/hwxface-571)
    [ 0.316034] ACPI: (supports S0 S3 S4 S5)
    [ 0.316035] ACPI: Using IOAPIC for interrupt routing
    [ 0.316057] PCI: Using host bridge windows from ACPI; if necessary, use "pci=nocrs" and report a bug
    [ 0.316633] ACPI: ACPI Dock Station Driver: 2 docks/bays found
    [ 0.328772] ACPI: Power Resource [PUBS] (on)
    [ 0.332509] ACPI: PCI Interrupt Link [LNKA] (IRQs 3 4 5 6 7 9 10 *11)
    [ 0.332575] ACPI: PCI Interrupt Link [LNKB] (IRQs 3 4 5 6 *7 9 10 11)
    [ 0.332638] ACPI: PCI Interrupt Link [LNKC] (IRQs 3 4 5 6 7 9 10 *11)
    [ 0.332701] ACPI: PCI Interrupt Link [LNKD] (IRQs 3 4 5 6 7 9 *10 11)
    [ 0.332763] ACPI: PCI Interrupt Link [LNKE] (IRQs 3 4 5 6 *7 9 10 11)
    [ 0.332812] ACPI: PCI Interrupt Link [LNKF] (IRQs 3 4 5 6 7 9 10 11) *0, disabled.
    [ 0.332874] ACPI: PCI Interrupt Link [LNKG] (IRQs 3 4 5 6 7 9 10 *11)
    [ 0.332936] ACPI: PCI Interrupt Link [LNKH] (IRQs 3 4 5 6 7 9 *10 11)
    [ 0.332972] ACPI: PCI Root Bridge [PCI0] (domain 0000 [bus 00-3f])
    [ 0.333055] acpi PNP0A08:00: Requesting ACPI _OSC control (0x1d)
    [ 0.333132] acpi PNP0A08:00: ACPI _OSC request failed (AE_SUPPORT), returned control mask: 0x0d
    [ 0.333133] acpi PNP0A08:00: ACPI _OSC control for PCIe not granted, disabling ASPM
    [ 0.333260] PCI host bridge to bus 0000:00
    [ 0.333262] pci_bus 0000:00: root bus resource [bus 00-3f]
    [ 0.333264] pci_bus 0000:00: root bus resource [io 0x0000-0x0cf7]
    [ 0.333265] pci_bus 0000:00: root bus resource [io 0x0d00-0xffff]
    [ 0.333267] pci_bus 0000:00: root bus resource [mem 0x000a0000-0x000bffff]
    [ 0.333268] pci_bus 0000:00: root bus resource [mem 0xbfa00000-0xfebfffff]
    [ 0.333270] pci_bus 0000:00: root bus resource [mem 0xfed40000-0xfed4bfff]
    [ 0.333277] pci 0000:00:00.0: [8086:0154] type 00 class 0x060000
    [ 0.333338] pci 0000:00:01.0: [8086:0151] type 01 class 0x060400
    [ 0.333365] pci 0000:00:01.0: PME# supported from D0 D3hot D3cold
    [ 0.333416] pci 0000:00:02.0: [8086:0166] type 00 class 0x030000
    [ 0.333426] pci 0000:00:02.0: reg 0x10: [mem 0xf1400000-0xf17fffff 64bit]
    [ 0.333432] pci 0000:00:02.0: reg 0x18: [mem 0xe0000000-0xefffffff 64bit pref]
    [ 0.333436] pci 0000:00:02.0: reg 0x20: [io 0x6000-0x603f]
    [ 0.333514] pci 0000:00:14.0: [8086:1e31] type 00 class 0x0c0330
    [ 0.333534] pci 0000:00:14.0: reg 0x10: [mem 0xf3a20000-0xf3a2ffff 64bit]
    [ 0.333603] pci 0000:00:14.0: PME# supported from D3hot D3cold
    [ 0.333630] pci 0000:00:14.0: System wakeup disabled by ACPI
    [ 0.333664] pci 0000:00:16.0: [8086:1e3a] type 00 class 0x078000
    [ 0.333686] pci 0000:00:16.0: reg 0x10: [mem 0xf3a35000-0xf3a3500f 64bit]
    [ 0.333761] pci 0000:00:16.0: PME# supported from D0 D3hot D3cold
    [ 0.333815] pci 0000:00:16.3: [8086:1e3d] type 00 class 0x070002
    [ 0.333833] pci 0000:00:16.3: reg 0x10: [io 0x60b0-0x60b7]
    [ 0.333842] pci 0000:00:16.3: reg 0x14: [mem 0xf3a3c000-0xf3a3cfff]
    [ 0.333964] pci 0000:00:19.0: [8086:1502] type 00 class 0x020000
    [ 0.333981] pci 0000:00:19.0: reg 0x10: [mem 0xf3a00000-0xf3a1ffff]
    [ 0.333989] pci 0000:00:19.0: reg 0x14: [mem 0xf3a3b000-0xf3a3bfff]
    [ 0.333997] pci 0000:00:19.0: reg 0x18: [io 0x6080-0x609f]
    [ 0.334058] pci 0000:00:19.0: PME# supported from D0 D3hot D3cold
    [ 0.334085] pci 0000:00:19.0: System wakeup disabled by ACPI
    [ 0.334117] pci 0000:00:1a.0: [8086:1e2d] type 00 class 0x0c0320
    [ 0.334137] pci 0000:00:1a.0: reg 0x10: [mem 0xf3a3a000-0xf3a3a3ff]
    [ 0.334226] pci 0000:00:1a.0: PME# supported from D0 D3hot D3cold
    [ 0.334254] pci 0000:00:1a.0: System wakeup disabled by ACPI
    [ 0.334287] pci 0000:00:1b.0: [8086:1e20] type 00 class 0x040300
    [ 0.334302] pci 0000:00:1b.0: reg 0x10: [mem 0xf3a30000-0xf3a33fff 64bit]
    [ 0.334368] pci 0000:00:1b.0: PME# supported from D0 D3hot D3cold
    [ 0.334400] pci 0000:00:1b.0: System wakeup disabled by ACPI
    [ 0.334427] pci 0000:00:1c.0: [8086:1e10] type 01 class 0x060400
    [ 0.334502] pci 0000:00:1c.0: PME# supported from D0 D3hot D3cold
    [ 0.334557] pci 0000:00:1c.1: [8086:1e12] type 01 class 0x060400
    [ 0.334632] pci 0000:00:1c.1: PME# supported from D0 D3hot D3cold
    [ 0.334687] pci 0000:00:1c.2: [8086:1e14] type 01 class 0x060400
    [ 0.334762] pci 0000:00:1c.2: PME# supported from D0 D3hot D3cold
    [ 0.334792] pci 0000:00:1c.2: System wakeup disabled by ACPI
    [ 0.334829] pci 0000:00:1d.0: [8086:1e26] type 00 class 0x0c0320
    [ 0.334849] pci 0000:00:1d.0: reg 0x10: [mem 0xf3a39000-0xf3a393ff]
    [ 0.334936] pci 0000:00:1d.0: PME# supported from D0 D3hot D3cold
    [ 0.334965] pci 0000:00:1d.0: System wakeup disabled by ACPI
    [ 0.334997] pci 0000:00:1f.0: [8086:1e55] type 00 class 0x060100
    [ 0.335148] pci 0000:00:1f.2: [8086:1e03] type 00 class 0x010601
    [ 0.335165] pci 0000:00:1f.2: reg 0x10: [io 0x60a8-0x60af]
    [ 0.335173] pci 0000:00:1f.2: reg 0x14: [io 0x60bc-0x60bf]
    [ 0.335181] pci 0000:00:1f.2: reg 0x18: [io 0x60a0-0x60a7]
    [ 0.335188] pci 0000:00:1f.2: reg 0x1c: [io 0x60b8-0x60bb]
    [ 0.335195] pci 0000:00:1f.2: reg 0x20: [io 0x6060-0x607f]
    [ 0.335203] pci 0000:00:1f.2: reg 0x24: [mem 0xf3a38000-0xf3a387ff]
    [ 0.335246] pci 0000:00:1f.2: PME# supported from D3hot
    [ 0.335294] pci 0000:00:1f.3: [8086:1e22] type 00 class 0x0c0500
    [ 0.335309] pci 0000:00:1f.3: reg 0x10: [mem 0xf3a34000-0xf3a340ff 64bit]
    [ 0.335329] pci 0000:00:1f.3: reg 0x20: [io 0xefa0-0xefbf]
    [ 0.335425] pci 0000:01:00.0: [10de:0ffb] type 00 class 0x030000
    [ 0.335432] pci 0000:01:00.0: reg 0x10: [mem 0xf0000000-0xf0ffffff]
    [ 0.335439] pci 0000:01:00.0: reg 0x14: [mem 0xc0000000-0xcfffffff 64bit pref]
    [ 0.335445] pci 0000:01:00.0: reg 0x1c: [mem 0xd0000000-0xd1ffffff 64bit pref]
    [ 0.335450] pci 0000:01:00.0: reg 0x24: [io 0x5000-0x507f]
    [ 0.335454] pci 0000:01:00.0: reg 0x30: [mem 0xfff80000-0xffffffff pref]
    [ 0.341690] pci 0000:00:01.0: PCI bridge to [bus 01]
    [ 0.341695] pci 0000:00:01.0: bridge window [io 0x5000-0x5fff]
    [ 0.341700] pci 0000:00:01.0: bridge window [mem 0xf0000000-0xf10fffff]
    [ 0.341706] pci 0000:00:01.0: bridge window [mem 0xc0000000-0xd1ffffff 64bit pref]
    [ 0.341865] pci 0000:02:00.0: [1180:e823] type 00 class 0x088001
    [ 0.341884] pci 0000:02:00.0: MMC controller base frequency changed to 50Mhz.
    [ 0.341910] pci 0000:02:00.0: reg 0x10: [mem 0xf3101000-0xf31010ff]
    [ 0.342112] pci 0000:02:00.0: supports D1 D2
    [ 0.342113] pci 0000:02:00.0: PME# supported from D0 D1 D2 D3hot D3cold
    [ 0.342242] pci 0000:02:00.3: [1180:e832] type 00 class 0x0c0010
    [ 0.342268] pci 0000:02:00.3: reg 0x10: [mem 0xf3100000-0xf31007ff]
    [ 0.342472] pci 0000:02:00.3: supports D1 D2
    [ 0.342474] pci 0000:02:00.3: PME# supported from D0 D1 D2 D3hot D3cold
    [ 0.348460] pci 0000:00:1c.0: PCI bridge to [bus 02]
    [ 0.348465] pci 0000:00:1c.0: bridge window [io 0x4000-0x4fff]
    [ 0.348469] pci 0000:00:1c.0: bridge window [mem 0xf3100000-0xf39fffff]
    [ 0.348475] pci 0000:00:1c.0: bridge window [mem 0xf1800000-0xf1ffffff 64bit pref]
    [ 0.348567] pci 0000:03:00.0: [8086:4238] type 00 class 0x028000
    [ 0.348614] pci 0000:03:00.0: reg 0x10: [mem 0xf3000000-0xf3001fff 64bit]
    [ 0.348839] pci 0000:03:00.0: PME# supported from D0 D3hot D3cold
    [ 0.355042] pci 0000:00:1c.1: PCI bridge to [bus 03]
    [ 0.355054] pci 0000:00:1c.1: bridge window [mem 0xf3000000-0xf30fffff]
    [ 0.355151] acpiphp: Slot [1] registered
    [ 0.355157] pci 0000:00:1c.2: PCI bridge to [bus 04-0b]
    [ 0.355162] pci 0000:00:1c.2: bridge window [io 0x3000-0x3fff]
    [ 0.355165] pci 0000:00:1c.2: bridge window [mem 0xf2800000-0xf2ffffff]
    [ 0.355171] pci 0000:00:1c.2: bridge window [mem 0xf2000000-0xf27fffff 64bit pref]
    [ 0.356013] ACPI: Enabled 4 GPEs in block 00 to 3F
    [ 0.356023] ACPI: \_SB_.PCI0: notify handler is installed
    [ 0.356059] Found 1 acpi root devices
    [ 0.356106] ACPI: EC: GPE = 0x11, I/O: command/status = 0x66, data = 0x62
    [ 0.356165] vgaarb: device added: PCI:0000:00:02.0,decodes=io+mem,owns=io+mem,locks=none
    [ 0.356169] vgaarb: device added: PCI:0000:01:00.0,decodes=io+mem,owns=none,locks=none
    [ 0.356170] vgaarb: loaded
    [ 0.356171] vgaarb: bridge control possible 0000:01:00.0
    [ 0.356172] vgaarb: no bridge control possible 0000:00:02.0
    [ 0.356199] PCI: Using ACPI for IRQ routing
    [ 0.357682] PCI: pci_cache_line_size set to 64 bytes
    [ 0.357820] e820: reserve RAM buffer [mem 0x0009d800-0x0009ffff]
    [ 0.357822] e820: reserve RAM buffer [mem 0x40004000-0x43ffffff]
    [ 0.357823] e820: reserve RAM buffer [mem 0xa6b30000-0xa7ffffff]
    [ 0.357824] e820: reserve RAM buffer [mem 0x43e600000-0x43fffffff]
    [ 0.357892] NetLabel: Initializing
    [ 0.357893] NetLabel: domain hash size = 128
    [ 0.357894] NetLabel: protocols = UNLABELED CIPSOv4
    [ 0.357904] NetLabel: unlabeled traffic allowed by default
    [ 0.357921] hpet0: at MMIO 0xfed00000, IRQs 2, 8, 0, 0, 0, 0, 0, 0
    [ 0.357925] hpet0: 8 comparators, 64-bit 14.318180 MHz counter
    [ 0.360952] Switched to clocksource hpet
    [ 0.364213] pnp: PnP ACPI init
    [ 0.364226] ACPI: bus type PNP registered
    [ 0.364530] system 00:00: [mem 0x00000000-0x0009ffff] could not be reserved
    [ 0.364532] system 00:00: [mem 0x000c0000-0x000c3fff] could not be reserved
    [ 0.364534] system 00:00: [mem 0x000c4000-0x000c7fff] could not be reserved
    [ 0.364535] system 00:00: [mem 0x000c8000-0x000cbfff] has been reserved
    [ 0.364537] system 00:00: [mem 0x000cc000-0x000cffff] has been reserved
    [ 0.364538] system 00:00: [mem 0x000d0000-0x000d3fff] has been reserved
    [ 0.364540] system 00:00: [mem 0x000d4000-0x000d7fff] has been reserved
    [ 0.364541] system 00:00: [mem 0x000d8000-0x000dbfff] has been reserved
    [ 0.364545] system 00:00: [mem 0x000dc000-0x000dffff] has been reserved
    [ 0.364546] system 00:00: [mem 0x000e0000-0x000e3fff] could not be reserved
    [ 0.364548] system 00:00: [mem 0x000e4000-0x000e7fff] could not be reserved
    [ 0.364549] system 00:00: [mem 0x000e8000-0x000ebfff] could not be reserved
    [ 0.364551] system 00:00: [mem 0x000ec000-0x000effff] could not be reserved
    [ 0.364552] system 00:00: [mem 0x000f0000-0x000fffff] could not be reserved
    [ 0.364554] system 00:00: [mem 0x00100000-0xbf9fffff] could not be reserved
    [ 0.364555] system 00:00: [mem 0xfec00000-0xfed3ffff] could not be reserved
    [ 0.364557] system 00:00: [mem 0xfed4c000-0xffffffff] could not be reserved
    [ 0.364560] system 00:00: Plug and Play ACPI device, IDs PNP0c01 (active)
    [ 0.364624] pnp 00:01: disabling [mem 0xfffff000-0xffffffff] because it overlaps 0000:01:00.0 BAR 6 [mem 0xfff80000-0xffffffff pref]
    [ 0.364643] system 00:01: [io 0x0400-0x047f] could not be reserved
    [ 0.364644] system 00:01: [io 0x0500-0x057f] has been reserved
    [ 0.364646] system 00:01: [io 0x0800-0x080f] has been reserved
    [ 0.364647] system 00:01: [io 0x15e0-0x15ef] has been reserved
    [ 0.364649] system 00:01: [io 0x1600-0x167f] has been reserved
    [ 0.364651] system 00:01: [mem 0xf8000000-0xfbffffff] has been reserved
    [ 0.364652] system 00:01: [mem 0xfed1c000-0xfed1ffff] has been reserved
    [ 0.364654] system 00:01: [mem 0xfed10000-0xfed13fff] has been reserved
    [ 0.364655] system 00:01: [mem 0xfed18000-0xfed18fff] has been reserved
    [ 0.364657] system 00:01: [mem 0xfed19000-0xfed19fff] has been reserved
    [ 0.364658] system 00:01: [mem 0xfed45000-0xfed4bfff] has been reserved
    [ 0.364661] system 00:01: Plug and Play ACPI device, IDs PNP0c02 (active)
    [ 0.364703] pnp 00:02: Plug and Play ACPI device, IDs PNP0103 (active)
    [ 0.364710] pnp 00:03: [dma 4]
    [ 0.364723] pnp 00:03: Plug and Play ACPI device, IDs PNP0200 (active)
    [ 0.364738] pnp 00:04: Plug and Play ACPI device, IDs PNP0800 (active)
    [ 0.364763] pnp 00:05: Plug and Play ACPI device, IDs PNP0c04 (active)
    [ 0.364782] pnp 00:06: Plug and Play ACPI device, IDs PNP0b00 (active)
    [ 0.364803] pnp 00:07: Plug and Play ACPI device, IDs LEN0071 PNP0303 (active)
    [ 0.364824] pnp 00:08: Plug and Play ACPI device, IDs LEN0015 PNP0f13 (active)
    [ 0.364860] pnp 00:09: Plug and Play ACPI device, IDs SMO1200 PNP0c31 (active)
    [ 0.365288] pnp: PnP ACPI: found 10 devices
    [ 0.365290] ACPI: bus type PNP unregistered
    [ 0.371588] pci 0000:01:00.0: no compatible bridge window for [mem 0xfff80000-0xffffffff pref]
    [ 0.371620] pci 0000:01:00.0: BAR 6: assigned [mem 0xf1000000-0xf107ffff pref]
    [ 0.371622] pci 0000:00:01.0: PCI bridge to [bus 01]
    [ 0.371624] pci 0000:00:01.0: bridge window [io 0x5000-0x5fff]
    [ 0.371627] pci 0000:00:01.0: bridge window [mem 0xf0000000-0xf10fffff]
    [ 0.371629] pci 0000:00:01.0: bridge window [mem 0xc0000000-0xd1ffffff 64bit pref]
    [ 0.371632] pci 0000:00:1c.0: PCI bridge to [bus 02]
    [ 0.371635] pci 0000:00:1c.0: bridge window [io 0x4000-0x4fff]
    [ 0.371640] pci 0000:00:1c.0: bridge window [mem 0xf3100000-0xf39fffff]
    [ 0.371644] pci 0000:00:1c.0: bridge window [mem 0xf1800000-0xf1ffffff 64bit pref]
    [ 0.371650] pci 0000:00:1c.1: PCI bridge to [bus 03]
    [ 0.371655] pci 0000:00:1c.1: bridge window [mem 0xf3000000-0xf30fffff]
    [ 0.371663] pci 0000:00:1c.2: PCI bridge to [bus 04-0b]
    [ 0.371666] pci 0000:00:1c.2: bridge window [io 0x3000-0x3fff]
    [ 0.371671] pci 0000:00:1c.2: bridge window [mem 0xf2800000-0xf2ffffff]
    [ 0.371675] pci 0000:00:1c.2: bridge window [mem 0xf2000000-0xf27fffff 64bit pref]
    [ 0.371681] pci_bus 0000:00: resource 4 [io 0x0000-0x0cf7]
    [ 0.371683] pci_bus 0000:00: resource 5 [io 0x0d00-0xffff]
    [ 0.371684] pci_bus 0000:00: resource 6 [mem 0x000a0000-0x000bffff]
    [ 0.371686] pci_bus 0000:00: resource 7 [mem 0xbfa00000-0xfebfffff]
    [ 0.371687] pci_bus 0000:00: resource 8 [mem 0xfed40000-0xfed4bfff]
    [ 0.371688] pci_bus 0000:01: resource 0 [io 0x5000-0x5fff]
    [ 0.371690] pci_bus 0000:01: resource 1 [mem 0xf0000000-0xf10fffff]
    [ 0.371691] pci_bus 0000:01: resource 2 [mem 0xc0000000-0xd1ffffff 64bit pref]
    [ 0.371693] pci_bus 0000:02: resource 0 [io 0x4000-0x4fff]
    [ 0.371694] pci_bus 0000:02: resource 1 [mem 0xf3100000-0xf39fffff]
    [ 0.371695] pci_bus 0000:02: resource 2 [mem 0xf1800000-0xf1ffffff 64bit pref]
    [ 0.371697] pci_bus 0000:03: resource 1 [mem 0xf3000000-0xf30fffff]
    [ 0.371698] pci_bus 0000:04: resource 0 [io 0x3000-0x3fff]
    [ 0.371700] pci_bus 0000:04: resource 1 [mem 0xf2800000-0xf2ffffff]
    [ 0.371701] pci_bus 0000:04: resource 2 [mem 0xf2000000-0xf27fffff 64bit pref]
    [ 0.371726] NET: Registered protocol family 2
    [ 0.371936] TCP established hash table entries: 131072 (order: 9, 2097152 bytes)
    [ 0.372200] TCP bind hash table entries: 65536 (order: 8, 1048576 bytes)
    [ 0.372304] TCP: Hash tables configured (established 131072 bind 65536)
    [ 0.372320] TCP: reno registered
    [ 0.372335] UDP hash table entries: 8192 (order: 6, 262144 bytes)
    [ 0.372381] UDP-Lite hash table entries: 8192 (order: 6, 262144 bytes)
    [ 0.372455] NET: Registered protocol family 1
    [ 0.372464] pci 0000:00:02.0: Boot video device
    [ 0.372838] PCI: CLS 64 bytes, default 64
    [ 0.372874] Unpacking initramfs...
    [ 0.419708] Freeing initrd memory: 3172K (ffff8800379be000 - ffff880037cd7000)
    [ 0.419712] PCI-DMA: Using software bounce buffering for IO (SWIOTLB)
    [ 0.419714] software IO TLB [mem 0xa2b30000-0xa6b30000] (64MB) mapped at [ffff8800a2b30000-ffff8800a6b2ffff]
    [ 0.419965] Scanning for low memory corruption every 60 seconds
    [ 0.420184] audit: initializing netlink socket (disabled)
    [ 0.420191] type=2000 audit(1386283845.413:1): initialized
    [ 0.430696] HugeTLB registered 2 MB page size, pre-allocated 0 pages
    [ 0.431915] zbud: loaded
    [ 0.432021] VFS: Disk quotas dquot_6.5.2
    [ 0.432054] Dquot-cache hash table entries: 512 (order 0, 4096 bytes)
    [ 0.432181] msgmni has been set to 31247
    [ 0.432413] Block layer SCSI generic (bsg) driver version 0.4 loaded (major 252)
    [ 0.432453] io scheduler noop registered
    [ 0.432454] io scheduler deadline registered
    [ 0.432473] io scheduler cfq registered (default)
    [ 0.432595] pcieport 0000:00:01.0: irq 40 for MSI/MSI-X
    [ 0.432864] pci_hotplug: PCI Hot Plug PCI Core version: 0.5
    [ 0.432875] pciehp: PCI Express Hot Plug Controller Driver version: 0.4
    [ 0.432907] vesafb: mode is 1920x1080x32, linelength=7680, pages=0
    [ 0.432908] vesafb: scrolling: redraw
    [ 0.432909] vesafb: Truecolor: size=8:8:8:8, shift=24:16:8:0
    [ 0.433568] vesafb: framebuffer at 0xe0000000, mapped to 0xffffc90005c80000, using 8128k, total 8128k
    [ 0.566342] Console: switching to colour frame buffer device 240x67
    [ 0.698577] fb0: VESA VGA frame buffer device
    [ 0.698590] intel_idle: MWAIT substates: 0x21120
    [ 0.698591] intel_idle: v0.4 model 0x3A
    [ 0.698592] intel_idle: lapic_timer_reliable_states 0xffffffff
    [ 0.698765] GHES: HEST is not enabled!
    [ 0.698809] Serial: 8250/16550 driver, 4 ports, IRQ sharing disabled
    [ 0.719500] 0000:00:16.3: ttyS0 at I/O 0x60b0 (irq = 19, base_baud = 115200) is a 16550A
    [ 0.719641] Linux agpgart interface v0.103
    [ 0.719702] i8042: PNP: PS/2 Controller [PNP0303:KBD,PNP0f13:MOU] at 0x60,0x64 irq 1,12
    [ 0.721201] serio: i8042 KBD port at 0x60,0x64 irq 1
    [ 0.721210] serio: i8042 AUX port at 0x60,0x64 irq 12
    [ 0.721298] mousedev: PS/2 mouse device common for all mice
    [ 0.721324] rtc_cmos 00:06: RTC can wake from S4
    [ 0.721444] rtc_cmos 00:06: rtc core: registered rtc_cmos as rtc0
    [ 0.721474] rtc_cmos 00:06: alarms up to one month, y3k, 114 bytes nvram, hpet irqs
    [ 0.721482] Intel P-state driver initializing.
    [ 0.721492] Intel pstate controlling: cpu 0
    [ 0.721502] Intel pstate controlling: cpu 1
    [ 0.721510] Intel pstate controlling: cpu 2
    [ 0.721520] Intel pstate controlling: cpu 3
    [ 0.721532] Intel pstate controlling: cpu 4
    [ 0.721541] Intel pstate controlling: cpu 5
    [ 0.721549] Intel pstate controlling: cpu 6
    [ 0.721558] Intel pstate controlling: cpu 7
    [ 0.721630] drop_monitor: Initializing network drop monitor service
    [ 0.721685] TCP: cubic registered
    [ 0.721757] NET: Registered protocol family 10
    [ 0.721886] NET: Registered protocol family 17
    [ 0.721894] Key type dns_resolver registered
    [ 0.722224] registered taskstats version 1
    [ 0.722596] input: AT Translated Set 2 keyboard as /devices/platform/i8042/serio0/input/input0
    [ 0.723178] Magic number: 9:534:855
    [ 0.723283] rtc_cmos 00:06: setting system clock to 2013-12-05 22:50:46 UTC (1386283846)
    [ 0.723323] PM: Checking hibernation image partition /dev/sda6
    [ 0.726752] PM: Hibernation image not present or could not be loaded.
    [ 0.727429] Freeing unused kernel memory: 1144K (ffffffff818cb000 - ffffffff819e9000)
    [ 0.727431] Write protecting the kernel read-only data: 8192k
    [ 0.729430] Freeing unused kernel memory: 1012K (ffff880001503000 - ffff880001600000)
    [ 0.730122] Freeing unused kernel memory: 340K (ffff8800017ab000 - ffff880001800000)
    [ 0.737327] systemd-udevd[79]: starting version 208
    [ 0.753625] ACPI: bus type USB registered
    [ 0.753654] usbcore: registered new interface driver usbfs
    [ 0.753672] usbcore: registered new interface driver hub
    [ 0.753762] usbcore: registered new device driver usb
    [ 0.754364] sdhci: Secure Digital Host Controller Interface driver
    [ 0.754367] sdhci: Copyright(c) Pierre Ossman
    [ 0.754471] pcieport 0000:00:1c.0: driver skip pci_set_master, fix it!
    [ 0.754490] SCSI subsystem initialized
    [ 0.754718] ehci_hcd: USB 2.0 'Enhanced' Host Controller (EHCI) Driver
    [ 0.755262] ehci-pci: EHCI PCI platform driver
    [ 0.755386] ehci-pci 0000:00:1a.0: setting latency timer to 64
    [ 0.755406] ehci-pci 0000:00:1a.0: EHCI Host Controller
    [ 0.755414] ehci-pci 0000:00:1a.0: new USB bus registered, assigned bus number 1
    [ 0.755427] ehci-pci 0000:00:1a.0: debug port 2
    [ 0.756165] libata version 3.00 loaded.
    [ 0.759355] ehci-pci 0000:00:1a.0: cache line size of 64 is not supported
    [ 0.759370] ehci-pci 0000:00:1a.0: irq 16, io mem 0xf3a3a000
    [ 0.767505] ehci-pci 0000:00:1a.0: USB 2.0 started, EHCI 1.00
    [ 0.767646] hub 1-0:1.0: USB hub found
    [ 0.767652] hub 1-0:1.0: 3 ports detected
    [ 0.767804] ehci-pci 0000:00:1d.0: setting latency timer to 64
    [ 0.767809] ehci-pci 0000:00:1d.0: EHCI Host Controller
    [ 0.767812] ehci-pci 0000:00:1d.0: new USB bus registered, assigned bus number 2
    [ 0.767823] ehci-pci 0000:00:1d.0: debug port 2
    [ 0.771708] ehci-pci 0000:00:1d.0: cache line size of 64 is not supported
    [ 0.771720] ehci-pci 0000:00:1d.0: irq 23, io mem 0xf3a39000
    [ 0.780896] ehci-pci 0000:00:1d.0: USB 2.0 started, EHCI 1.00
    [ 0.780996] hub 2-0:1.0: USB hub found
    [ 0.781000] hub 2-0:1.0: 3 ports detected
    [ 0.781193] xhci_hcd 0000:00:14.0: setting latency timer to 64
    [ 0.781197] xhci_hcd 0000:00:14.0: xHCI Host Controller
    [ 0.781202] xhci_hcd 0000:00:14.0: new USB bus registered, assigned bus number 3
    [ 0.781297] xhci_hcd 0000:00:14.0: cache line size of 64 is not supported
    [ 0.781317] xhci_hcd 0000:00:14.0: irq 41 for MSI/MSI-X
    [ 0.781456] hub 3-0:1.0: USB hub found
    [ 0.781467] hub 3-0:1.0: 4 ports detected
    [ 0.781705] xhci_hcd 0000:00:14.0: xHCI Host Controller
    [ 0.781708] xhci_hcd 0000:00:14.0: new USB bus registered, assigned bus number 4
    [ 0.781799] hub 4-0:1.0: USB hub found
    [ 0.781807] hub 4-0:1.0: 4 ports detected
    [ 0.791001] ahci 0000:00:1f.2: version 3.0
    [ 0.791067] ahci 0000:00:1f.2: irq 42 for MSI/MSI-X
    [ 0.791088] ahci 0000:00:1f.2: SSS flag set, parallel bus scan disabled
    [ 0.804224] ahci 0000:00:1f.2: AHCI 0001.0300 32 slots 6 ports 6 Gbps 0x17 impl SATA mode
    [ 0.804231] ahci 0000:00:1f.2: flags: 64bit ncq ilck stag pm led clo pio slum part ems sxs apst
    [ 0.804239] ahci 0000:00:1f.2: setting latency timer to 64
    [ 0.820938] firewire_ohci 0000:02:00.3: added OHCI v1.10 device as card 0, 4 IR + 4 IT contexts, quirks 0x11
    [ 0.820989] sdhci-pci 0000:02:00.0: SDHCI controller found [1180:e823] (rev 5)
    [ 0.821107] mmc0: SDHCI controller on PCI [0000:02:00.0] using DMA
    [ 0.824627] scsi0 : ahci
    [ 0.824773] scsi1 : ahci
    [ 0.824907] scsi2 : ahci
    [ 0.825041] scsi3 : ahci
    [ 0.825234] scsi4 : ahci
    [ 0.825350] scsi5 : ahci
    [ 0.825384] ata1: SATA max UDMA/133 abar m2048@0xf3a38000 port 0xf3a38100 irq 42
    [ 0.825387] ata2: SATA max UDMA/133 abar m2048@0xf3a38000 port 0xf3a38180 irq 42
    [ 0.825390] ata3: SATA max UDMA/133 abar m2048@0xf3a38000 port 0xf3a38200 irq 42
    [ 0.825391] ata4: DUMMY
    [ 0.825406] ata5: SATA max UDMA/133 abar m2048@0xf3a38000 port 0xf3a38300 irq 42
    [ 0.825406] ata6: DUMMY
    [ 1.074138] usb 1-1: new high-speed USB device number 2 using ehci-pci
    [ 1.144102] ata1: SATA link up 6.0 Gbps (SStatus 133 SControl 300)
    [ 1.145449] ata1.00: ACPI cmd ef/02:00:00:00:00:a0 (SET FEATURES) succeeded
    [ 1.145455] ata1.00: ACPI cmd f5/00:00:00:00:00:a0 (SECURITY FREEZE LOCK) filtered out
    [ 1.146823] ata1.00: ATA-8: HGST HTS725050A7E630, GH2ZB550, max UDMA/133
    [ 1.146827] ata1.00: 976773168 sectors, multi 16: LBA48 NCQ (depth 31/32), AA
    [ 1.148298] ata1.00: ACPI cmd ef/02:00:00:00:00:a0 (SET FEATURES) succeeded
    [ 1.148304] ata1.00: ACPI cmd f5/00:00:00:00:00:a0 (SECURITY FREEZE LOCK) filtered out
    [ 1.149813] ata1.00: configured for UDMA/133
    [ 1.150087] scsi 0:0:0:0: Direct-Access ATA HGST HTS725050A7 GH2Z PQ: 0 ANSI: 5
    [ 1.198525] hub 1-1:1.0: USB hub found
    [ 1.198715] hub 1-1:1.0: 6 ports detected
    [ 1.307453] usb 2-1: new high-speed USB device number 2 using ehci-pci
    [ 1.320895] firewire_core 0000:02:00.3: created device fw0: GUID 3c970effbe0ba2ff, S400
    [ 1.420670] tsc: Refined TSC clocksource calibration: 2693.881 MHz
    [ 1.431513] hub 2-1:1.0: USB hub found
    [ 1.431588] hub 2-1:1.0: 8 ports detected
    [ 1.467351] ata2: SATA link up 1.5 Gbps (SStatus 113 SControl 300)
    [ 1.471615] ata2.00: ACPI cmd e3/00:1f:00:00:00:a0 (IDLE) succeeded
    [ 1.473091] ata2.00: ACPI cmd e3/00:02:00:00:00:a0 (IDLE) succeeded
    [ 1.476312] ata2.00: ATAPI: HL-DT-ST DVDRAM GT80N, LT20, max UDMA/133
    [ 1.480154] ata2.00: ACPI cmd e3/00:1f:00:00:00:a0 (IDLE) succeeded
    [ 1.481633] ata2.00: ACPI cmd e3/00:02:00:00:00:a0 (IDLE) succeeded
    [ 1.484853] ata2.00: configured for UDMA/133
    [ 1.493873] scsi 1:0:0:0: CD-ROM HL-DT-ST DVDRAM GT80N LT20 PQ: 0 ANSI: 5
    [ 1.590645] usb 3-2: new low-speed USB device number 2 using xhci_hcd
    [ 1.611303] usb 3-2: ep 0x81 - rounding interval to 64 microframes, ep desc says 80 microframes
    [ 1.611311] usb 3-2: ep 0x82 - rounding interval to 64 microframes, ep desc says 80 microframes
    [ 1.613287] hidraw: raw HID events driver (C) Jiri Kosina
    [ 1.623187] usbcore: registered new interface driver usbhid
    [ 1.623191] usbhid: USB HID core driver
    [ 1.623948] input: Logitech USB Receiver as /devices/pci0000:00/0000:00:14.0/usb3/3-2/3-2:1.0/input/input2
    [ 1.624086] hid-generic 0003:046D:C505.0001: input,hidraw0: USB HID v1.10 Keyboard [Logitech USB Receiver] on usb-0000:00:14.0-2/input0
    [ 1.624501] input: Logitech USB Receiver as /devices/pci0000:00/0000:00:14.0/usb3/3-2/3-2:1.1/input/input3
    [ 1.624758] hid-generic 0003:046D:C505.0002: input,hidraw1: USB HID v1.10 Mouse [Logitech USB Receiver] on usb-0000:00:14.0-2/input1
    [ 1.677468] usb 1-1.3: new full-speed USB device number 3 using ehci-pci
    [ 1.813904] ata3: SATA link up 3.0 Gbps (SStatus 123 SControl 300)
    [ 1.814517] ata3.00: ACPI cmd ef/02:00:00:00:00:a0 (SET FEATURES) succeeded
    [ 1.814523] ata3.00: ACPI cmd f5/00:00:00:00:00:a0 (SECURITY FREEZE LOCK) filtered out
    [ 1.814902] ata3.00: ATA-8: SAMSUNG MZMPC032HBCD-000L1, CXM13L1Q, max UDMA/133
    [ 1.814908] ata3.00: 62533296 sectors, multi 16: LBA48 NCQ (depth 31/32), AA
    [ 1.815417] ata3.00: ACPI cmd ef/02:00:00:00:00:a0 (SET FEATURES) succeeded
    [ 1.815424] ata3.00: ACPI cmd f5/00:00:00:00:00:a0 (SECURITY FREEZE LOCK) filtered out
    [ 1.815843] ata3.00: configured for UDMA/133
    [ 1.815996] scsi 2:0:0:0: Direct-Access ATA SAMSUNG MZMPC032 CXM1 PQ: 0 ANSI: 5
    [ 1.827413] usb 1-1.4: new full-speed USB device number 4 using ehci-pci
    [ 1.980746] usb 1-1.6: new high-speed USB device number 5 using ehci-pci
    [ 2.133788] ata5: SATA link down (SStatus 0 SControl 300)
    [ 2.138079] sd 0:0:0:0: [sda] 976773168 512-byte logical blocks: (500 GB/465 GiB)
    [ 2.138084] sd 0:0:0:0: [sda] 4096-byte physical blocks
    [ 2.138107] sd 2:0:0:0: [sdb] 62533296 512-byte logical blocks: (32.0 GB/29.8 GiB)
    [ 2.138214] sd 0:0:0:0: [sda] Write Protect is off
    [ 2.138218] sd 0:0:0:0: [sda] Mode Sense: 00 3a 00 00
    [ 2.138263] sd 0:0:0:0: [sda] Write cache: enabled, read cache: enabled, doesn't support DPO or FUA
    [ 2.138291] sd 2:0:0:0: [sdb] Write Protect is off
    [ 2.138294] sd 2:0:0:0: [sdb] Mode Sense: 00 3a 00 00
    [ 2.138365] sd 2:0:0:0: [sdb] Write cache: enabled, read cache: enabled, doesn't support DPO or FUA
    [ 2.139366] sdb: sdb1
    [ 2.139583] sd 2:0:0:0: [sdb] Attached SCSI disk
    [ 2.140832] sr0: scsi3-mmc drive: 24x/24x writer dvd-ram cd/rw xa/form2 cdda tray
    [ 2.140834] cdrom: Uniform CD-ROM driver Revision: 3.20
    [ 2.140984] sr 1:0:0:0: Attached scsi CD-ROM sr0
    [ 2.150609] usb 2-1.5: new low-speed USB device number 3 using ehci-pci
    [ 2.217042] raid6: sse2x1 6045 MB/s
    [ 2.222964] sda: sda1 sda2 sda3 sda4 < sda5 sda6 >
    [ 2.224086] sd 0:0:0:0: [sda] Attached SCSI disk
    [ 2.242780] input: Logitech USB-PS/2 Optical Mouse as /devices/pci0000:00/0000:00:1d.0/usb2/2-1/2-1.5/2-1.5:1.0/input/input4
    [ 2.242927] hid-generic 0003:046D:C051.0003: input,hidraw2: USB HID v1.10 Mouse [Logitech USB-PS/2 Optical Mouse] on usb-0000:00:1d.0-1.5/input0
    [ 2.273683] raid6: sse2x2 9288 MB/s
    [ 2.330330] raid6: sse2x4 13180 MB/s
    [ 2.330331] raid6: using algorithm sse2x4 (13180 MB/s)
    [ 2.330332] raid6: using ssse3x2 recovery algorithm
    [ 2.330416] xor: automatically using best checksumming function:
    [ 2.363659] avx : 27280.800 MB/sec
    [ 2.365888] bio: create slab <bio-1> at 1
    [ 2.366416] Btrfs loaded
    [ 2.366872] btrfs: device fsid 267f069c-11da-4d2a-88fa-00cab4e28149 devid 1 transid 2746 /dev/sdb1
    [ 2.420417] Switched to clocksource tsc
    [ 2.749348] btrfs: device fsid f6907d81-f46f-4911-8600-858e8b6bd1a0 devid 1 transid 3707 /dev/sda5
    [ 3.007064] PM: Starting manual resume from disk
    [ 3.007067] PM: Hibernation image partition 8:6 present
    [ 3.007068] PM: Looking for hibernation image.
    [ 3.007178] PM: Image not found (code -22)
    [ 3.007183] PM: Hibernation image not present or could not be loaded.
    [ 3.014955] btrfs: device fsid 267f069c-11da-4d2a-88fa-00cab4e28149 devid 1 transid 2746 /dev/sdb1
    [ 3.015285] btrfs: disk space caching is enabled
    [ 3.028402] Btrfs detected SSD devices, enabling SSD mode
    [ 3.211825] systemd[1]: systemd 208 running in system mode. (+PAM -LIBWRAP -AUDIT -SELINUX -IMA -SYSVINIT +LIBCRYPTSETUP +GCRYPT +ACL +XZ)
    [ 3.212136] systemd[1]: Set hostname to <ho-think>.
    [ 3.252550] systemd[1]: Starting Forward Password Requests to Wall Directory Watch.
    [ 3.252605] systemd[1]: Started Forward Password Requests to Wall Directory Watch.
    [ 3.252618] systemd[1]: Starting Remote File Systems.
    [ 3.252629] systemd[1]: Reached target Remote File Systems.
    [ 3.252638] systemd[1]: Starting LVM2 metadata daemon socket.
    [ 3.252667] systemd[1]: Listening on LVM2 metadata daemon socket.
    [ 3.252675] systemd[1]: Starting Device-mapper event daemon FIFOs.
    [ 3.252701] systemd[1]: Listening on Device-mapper event daemon FIFOs.
    [ 3.252709] systemd[1]: Starting /dev/initctl Compatibility Named Pipe.
    [ 3.252724] systemd[1]: Listening on /dev/initctl Compatibility Named Pipe.
    [ 3.252731] systemd[1]: Starting Delayed Shutdown Socket.
    [ 3.252748] systemd[1]: Listening on Delayed Shutdown Socket.
    [ 3.252758] systemd[1]: Starting Journal Socket.
    [ 3.252795] systemd[1]: Listening on Journal Socket.
    [ 3.253090] systemd[1]: Starting Apply Kernel Variables...
    [ 3.253532] systemd[1]: Starting Journal Service...
    [ 3.253811] systemd[1]: Started Journal Service.
    [ 3.287546] systemd-journald[182]: Vacuuming done, freed 0 bytes
    [ 3.390618] btrfs: use ssd allocation scheme
    [ 3.390622] btrfs: disk space caching is enabled
    [ 3.400329] systemd-udevd[218]: starting version 208
    [ 3.490322] input: PC Speaker as /devices/platform/pcspkr/input/input5
    [ 3.491089] shpchp: Standard Hot Plug PCI Controller Driver version: 0.4
    [ 3.491746] input: Lid Switch as /devices/LNXSYSTM:00/device:00/PNP0C0D:00/input/input6
    [ 3.491865] ACPI: Lid Switch [LID]
    [ 3.492466] ACPI Warning: 0x0000000000000428-0x000000000000042f SystemIO conflicts with Region \_SB_.PCI0.LPC_.PMIO 1 (20130725/utaddress-251)
    [ 3.492471] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 3.492475] ACPI Warning: 0x0000000000000530-0x000000000000053f SystemIO conflicts with Region \_SB_.PCI0.LPC_.LPIO 1 (20130725/utaddress-251)
    [ 3.492490] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 3.492491] ACPI Warning: 0x0000000000000500-0x000000000000052f SystemIO conflicts with Region \_SB_.PCI0.LPC_.LPIO 1 (20130725/utaddress-251)
    [ 3.492494] ACPI: If an ACPI driver is available for this device, you should use it instead of the native driver
    [ 3.492495] lpc_ich: Resource conflict(s) found affecting gpio_ich
    [ 3.493000] pps_core: LinuxPPS API ver. 1 registered
    [ 3.493002] pps_core: Software ver. 5.3.6 - Copyright 2005-2007 Rodolfo Giometti <[email protected]>
    [ 3.493659] ACPI: Requesting acpi_cpufreq
    [ 3.493823] PTP clock support registered
    [ 3.494020] input: Sleep Button as /devices/LNXSYSTM:00/device:00/PNP0C0E:00/input/input7
    [ 3.494025] ACPI: Sleep Button [SLPB]
    [ 3.494069] input: Power Button as /devices/LNXSYSTM:00/LNXPWRBN:00/input/input8
    [ 3.494071] ACPI: Power Button [PWRF]
    [ 3.494675] mei_me 0000:00:16.0: setting latency timer to 64
    [ 3.494714] mei_me 0000:00:16.0: irq 43 for MSI/MSI-X
    [ 3.494990] ACPI: AC Adapter [AC] (on-line)
    [ 3.495691] tpm_tis 00:09: 1.2 TPM (device-id 0x0, rev-id 78)
    [ 3.498616] Non-volatile memory driver v1.3
    [ 3.498683] [drm] Initialized drm 1.1.0 20060810
    [ 3.499437] i801_smbus 0000:00:1f.3: SMBus using PCI Interrupt
    [ 3.502565] ACPI: Battery Slot [BAT0] (battery present)
    [ 3.502633] thinkpad_acpi: ThinkPad ACPI Extras v0.24
    [ 3.502635] thinkpad_acpi: http://ibm-acpi.sf.net/
    [ 3.502636] thinkpad_acpi: ThinkPad BIOS G5ET93WW (2.53 ), EC unknown
    [ 3.502637] thinkpad_acpi: Lenovo ThinkPad W530, model 2447DW0
    [ 3.504741] e1000e: Intel(R) PRO/1000 Network Driver - 2.3.2-k
    [ 3.504742] e1000e: Copyright(c) 1999 - 2013 Intel Corporation.
    [ 3.504806] e1000e 0000:00:19.0: setting latency timer to 64
    [ 3.504855] e1000e 0000:00:19.0: Interrupt Throttling Rate (ints/sec) set to dynamic conservative mode
    [ 3.504869] e1000e 0000:00:19.0: irq 44 for MSI/MSI-X
    [ 3.505719] thinkpad_acpi: detected a 8-level brightness capable ThinkPad
    [ 3.505814] thinkpad_acpi: radio switch found; radios are enabled
    [ 3.507612] thinkpad_acpi: This ThinkPad has standard ACPI backlight brightness control, supported by the ACPI video driver
    [ 3.507614] thinkpad_acpi: Disabling thinkpad-acpi brightness events by default...
    [ 3.508991] wmi: Mapper loaded
    [ 3.510574] thinkpad_acpi: rfkill switch tpacpi_bluetooth_sw: radio is unblocked
    [ 3.512202] thinkpad_acpi: Standard ACPI backlight interface available, not loading native one
    [ 3.512859] thermal LNXTHERM:00: registered as thermal_zone0
    [ 3.512862] ACPI: Thermal Zone [THM0] (51 C)
    [ 3.512964] thinkpad_acpi: Console audio control enabled, mode: monitor (read only)
    [ 3.513826] input: ThinkPad Extra Buttons as /devices/platform/thinkpad_acpi/input/input9
    [ 3.519211] cfg80211: Calling CRDA to update world regulatory domain
    [ 3.529719] Intel(R) Wireless WiFi driver for Linux, in-tree:
    [ 3.529721] Copyright(c) 2003-2013 Intel Corporation
    [ 3.529746] pcieport 0000:00:1c.1: driver skip pci_set_master, fix it!
    [ 3.529786] iwlwifi 0000:03:00.0: can't disable ASPM; OS doesn't have ASPM control
    [ 3.529839] iwlwifi 0000:03:00.0: irq 45 for MSI/MSI-X
    [ 3.541982] microcode: CPU0 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.557020] media: Linux media interface: v0.10
    [ 3.559314] Bluetooth: Core ver 2.16
    [ 3.559324] NET: Registered protocol family 31
    [ 3.559325] Bluetooth: HCI device and connection manager initialized
    [ 3.559331] Bluetooth: HCI socket layer initialized
    [ 3.559332] Bluetooth: L2CAP socket layer initialized
    [ 3.559338] Bluetooth: SCO socket layer initialized
    [ 3.559760] Linux video capture interface: v2.00
    [ 3.561090] btrfs: device fsid 267f069c-11da-4d2a-88fa-00cab4e28149 devid 1 transid 2747 /dev/sdb1
    [ 3.563306] tpm_tis 00:09: TPM is disabled/deactivated (0x6)
    [ 3.565201] usbcore: registered new interface driver btusb
    [ 3.565757] uvcvideo: Found UVC 1.00 device Integrated Camera (04f2:b2ea)
    [ 3.567801] iTCO_vendor_support: vendor-support=0
    [ 3.568229] input: Integrated Camera as /devices/pci0000:00/0000:00:1a.0/usb1/1-1/1-1.6/1-1.6:1.0/input/input11
    [ 3.568341] usbcore: registered new interface driver uvcvideo
    [ 3.568342] USB Video Class driver (1.1.1)
    [ 3.568802] iTCO_wdt: Intel TCO WatchDog Timer Driver v1.10
    [ 3.568825] iTCO_wdt: Found a Panther Point TCO device (Version=2, TCOBASE=0x0460)
    [ 3.568884] iTCO_wdt: initialized. heartbeat=30 sec (nowayout=0)
    [ 3.575973] microcode: CPU1 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.579387] microcode: CPU2 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.580314] microcode: CPU3 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.580610] nvidia: module license 'NVIDIA' taints kernel.
    [ 3.580612] Disabling lock debugging due to kernel taint
    [ 3.580964] microcode: CPU4 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.581262] microcode: CPU5 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.581662] microcode: CPU6 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.581969] microcode: CPU7 sig=0x306a9, pf=0x10, revision=0x17
    [ 3.582235] microcode: Microcode Update Driver: v2.00 <[email protected]>, Peter Oruba
    [ 3.585585] nvidia 0000:01:00.0: enabling device (0000 -> 0003)
    [ 3.585626] vgaarb: device changed decodes: PCI:0000:01:00.0,olddecodes=io+mem,decodes=none:owns=none
    [ 3.585753] [drm] Initialized nvidia-drm 0.0.0 20130102 for 0000:01:00.0 on minor 0
    [ 3.585756] NVRM: loading NVIDIA UNIX x86_64 Kernel Module 331.20 Wed Oct 30 17:43:35 PDT 2013
    [ 3.590299] iwlwifi 0000:03:00.0: loaded firmware version 9.221.4.1 build 25532 op_mode iwldvm
    [ 3.604935] iwlwifi 0000:03:00.0: CONFIG_IWLWIFI_DEBUG disabled
    [ 3.604939] iwlwifi 0000:03:00.0: CONFIG_IWLWIFI_DEBUGFS disabled
    [ 3.604940] iwlwifi 0000:03:00.0: CONFIG_IWLWIFI_DEVICE_TRACING enabled
    [ 3.604942] iwlwifi 0000:03:00.0: Detected Intel(R) Centrino(R) Ultimate-N 6300 AGN, REV=0x74
    [ 3.604991] iwlwifi 0000:03:00.0: L1 Enabled; Disabling L0S
    [ 3.611807] kvm: disabled by bios
    [ 3.622449] ieee80211 phy0: Selected rate control algorithm 'iwl-agn-rs'
    [ 3.643289] systemd-udevd[222]: renamed network interface wlan0 to wlp3s0
    [ 3.699041] e1000e 0000:00:19.0 eth0: registered PHC clock
    [ 3.699043] e1000e 0000:00:19.0 eth0: (PCI Express:2.5GT/s:Width x1) 3c:97:0e:be:0b:a2
    [ 3.699045] e1000e 0000:00:19.0 eth0: Intel(R) PRO/1000 Network Connection
    [ 3.699088] e1000e 0000:00:19.0 eth0: MAC: 10, PHY: 11, PBA No: 1000FF-0FF
    [ 3.699268]

    I decided to use nouveau instead of nvidia and now I got my external an internal display working.

  • EHP4 Upgrade ABAP+JAVA stack

    Hi SDN Team,
    We are in the proceess of EHP4 upgrade,now we are at the road map configuration where we got stuck,I is looking for JAVA sca files in XML file but could not found the same and it throw an error,
    Trouble Ticket Log
    ===============
    Trouble Ticket Report
    Installation of enhancement package 1 for SAP NetWeaver 7.0
    SID................: SE1
    Hostname...........: NA00SAPSAND02
    Install directory..: g:/usr/sap/SE1
    Upgrade directory..: G:\EHPI\EHPI\java
    Database...........: Microsoft SQL Server
    Operating System...: NT
    JDK version........: 1.6.0_07 SAP AG
    SAPJup version.....: 3.4.29
    Source release.....: 700
    Target release.....: 700
    Start release SP...: $(/J2EE/StandardSystem/SPLevel)
    Target release SP..: $(/J2EE/ShadowSystem/SPLevel)
    Current usages.....:
    ABAP stack present.: true
    The execution of PREPARE/INIT/PREPARE_JSPM_QUEUE ended in error.
    The stack T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml contains no components for this system.
    More information can be found in the log file G:\EHPI\EHPI\java\log\PREPARE_JSPM_QUEUE_CSZ_02.LOG.
    Use the information provided to trouble-shoot the problem. There might be an OSS note providing a solution to this problem. Search for OSS notes with the following search terms:
    com.sap.sdt.j2ee.phases.PhaseTypePrepareJSPMQueue
    com.sap.sdt.ucp.phases.PhaseException
    The stack T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml contains no components for this system.
    PREPARE_JSPM_QUEUE
    INIT
    NetWeaver Enhancement Package Installation
    SAPJup
    Java Enhancement Package Installation
    We have added the system  in SMSY and download the stack properly and I could see SCA files listed in XML file but still iam stuck the above error
    PREPARE_JSPM_QUEUE_CSZ_02
    ===========================
    <!LOGHEADER[START]/>
    <!HELP[Manual modification of the header may cause parsing problem!]/>
    <!LOGGINGVERSION[2.0.7.1006]/>
    <!NAME[G:\EHPI\EHPI\java\log\PREPARE_JSPM_QUEUE_CSZ_02.LOG]/>
    <!PATTERN[PREPARE_JSPM_QUEUE_CSZ_02.LOG]/>
    <!FORMATTER[com.sap.tc.logging.TraceFormatter(%d [%s]: %-100l [%t]: %m)]/>
    <!ENCODING[UTF8]/>
    <!LOGHEADER[END]/>
    Jul 27, 2010 3:48:22 AM [Info]:                      com.sap.sdt.ucp.phases.AbstractPhaseType.initialize(AbstractPhaseType.java:754) [Thread[main,5,main]]: Phase PREPARE/INIT/PREPARE_JSPM_QUEUE has been started.
    Jul 27, 2010 3:48:22 AM [Info]:                      com.sap.sdt.ucp.phases.AbstractPhaseType.initialize(AbstractPhaseType.java:755) [Thread[main,5,main]]: Phase type is com.sap.sdt.j2ee.phases.PhaseTypePrepareJSPMQueue.
    Jul 27, 2010 3:48:22 AM [Info]:                   com.sap.sdt.ucp.phases.AbstractPhaseType.logParameters(AbstractPhaseType.java:409) [Thread[main,5,main]]:   Parameter inputFile=EHPComponents.xml
    Jul 27, 2010 3:48:22 AM [Info]: com.sap.sdt.j2ee.phases.jspm.JSPMQueuePreparatorFactory.createJSPMQueuePreparator(JSPMQueuePreparatorFactory.java:93) [Thread[main,5,main]]: Creating JSPM SP Stack  queue preparator.
    Jul 27, 2010 3:48:22 AM [Info]: com.sap.sdt.ucp.dialog.elim.DialogEliminatorContainer.canBeOmitted(DialogEliminatorContainer.java:96) [Thread[main,5,main]]: Dialog eliminator spStackDialogEliminator allows to omit dialog SPStackLocationDialog
    Jul 27, 2010 3:48:22 AM [Info]:                  com.sap.sdt.util.validate.ValidationProcessor.validate(ValidationProcessor.java:97) [Thread[main,5,main]]: Validatable parameter SP/STACK/LOCATION has been validated by validator RequiredFields.
    Jul 27, 2010 3:48:22 AM [Info]:                  com.sap.sdt.util.validate.ValidationProcessor.validate(ValidationProcessor.java:97) [Thread[main,5,main]]: Validatable parameter SP/STACK/LOCATION has been validated by validator SPStackLocationValidator.
    Jul 27, 2010 3:48:22 AM [Info]: com.sap.sdt.j2ee.phases.jspm.JSPMSpStackQueuePreparator.createQueue(JSPMSpStackQueuePreparator.java:107) [Thread[main,5,main]]: Using SP Stack T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml.
    Jul 27, 2010 3:48:22 AM [Info]:                   com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseStackTag(SPXmlParser.java:488) [Thread[main,5,main]]: STACK-SHORT-NAME tag is missing. The CAPTION of the stack will be used as stack name.
    Jul 27, 2010 3:48:22 AM [Info]:                   com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseStackTag(SPXmlParser.java:582) [Thread[main,5,main]]: PRODUCT-PPMS-NAME tag is missing. The CAPTION of the product will be used as product PPMS name.
    Jul 27, 2010 3:48:22 AM [Warning]:    com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSoftwareFeatureStackTag(SPXmlParser.java:730) [Thread[main,5,main]]: Software feature EHP4 FOR SAP ERP 6.0 / NW7.01 : SAP Learning Sol-Frontend CP - 05 (11/2009) found in stack definition file T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml is applicable for system  SID: ZSE and HOST: na00sapsand02, but the current system is SID: SE1 and HOST: NA00SAPSAND02. This software feature will be skipped.
    Jul 27, 2010 3:48:22 AM [Warning]:    com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSoftwareFeatureStackTag(SPXmlParser.java:730) [Thread[main,5,main]]: Software feature EHP4 FOR SAP ERP 6.0 / NW7.01 : SAP NW - Applic. Server Java - 05 (11/2009) found in stack definition file T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml is applicable for system  SID: ZSE and HOST: na00sapsand02, but the current system is SID: SE1 and HOST: NA00SAPSAND02. This software feature will be skipped.
    Jul 27, 2010 3:48:22 AM [Info]:                      com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSPXml(SPXmlParser.java:424) [Thread[main,5,main]]: Parsing of stack definition file T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml has finished.
    Jul 27, 2010 3:48:22 AM [Error]:                       com.sap.sdt.ucp.phases.AbstractPhaseType.doExecute(AbstractPhaseType.java:863) [Thread[main,5,main]]: Exception has occurred during the execution of the phase.
    Jul 27, 2010 3:48:22 AM [Error]: com.sap.sdt.j2ee.phases.jspm.JSPMSpStackQueuePreparator.createQueue(JSPMSpStackQueuePreparator.java:136) [Thread[main,5,main]]: The stack T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml contains no components for this system.
    Jul 27, 2010 3:48:22 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:906) [Thread[main,5,main]]: Phase PREPARE/INIT/PREPARE_JSPM_QUEUE has been completed.
    Jul 27, 2010 3:48:22 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:907) [Thread[main,5,main]]: Start time: 2010/07/27 03:48:22.
    Jul 27, 2010 3:48:22 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:909) [Thread[main,5,main]]: End time: 2010/07/27 03:48:22.
    Jul 27, 2010 3:48:22 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:910) [Thread[main,5,main]]: Duration: 0:00:00.141.
    Jul 27, 2010 3:48:22 AM [Info]:                         com.sap.sdt.ucp.phases.AbstractPhaseType.cleanup(AbstractPhaseType.java:911) [Thread[main,5,main]]: Phase status is error.
    Not sure what to do now.please advise.
    Regards
    Uday

    Hi Uday,
    > Jul 27, 2010 3:48:22 AM [Warning]:    >com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSoftwareFeatureStackTag(SPXmlParser.java:730) >[Thread[main,5,main]]: Software feature EHP4 FOR SAP ERP 6.0 / NW7.01 : SAP Learning Sol-Frontend CP - 05 (11/2009) >found in stack definition file T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml is applicable for >system  SID: ZSE and HOST: na00sapsand02, but the current system is SID: SE1 and HOST: NA00SAPSAND02. This >software feature will be skipped.
    > Jul 27, 2010 3:48:22 AM [Warning]:    >com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSoftwareFeatureStackTag(SPXmlParser.java:730) >[Thread[main,5,main]]: Software feature EHP4 FOR SAP ERP 6.0 / NW7.01 : SAP NW - Applic. Server Java - 05 (11/2009) >found in stack definition file T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml is applicable for >system  SID: ZSE and HOST: na00sapsand02, but the current system is SID: SE1 and HOST: NA00SAPSAND02. This >software feature will be skipped.
    > Jul 27, 2010 3:48:22 AM [Info]:                      >com.sap.sdt.j2ee.tools.spxmlparser.SPXmlParser.parseSPXml(SPXmlParser.java:424) [Thread[main,5,main]]: Parsing of >stack definition file T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml has finished.
    > Jul 27, 2010 3:48:22 AM [Error]:                       >com.sap.sdt.ucp.phases.AbstractPhaseType.doExecute(AbstractPhaseType.java:863) [Thread[main,5,main]]: Exception >has occurred during the execution of the phase.
    > Jul 27, 2010 3:48:22 AM [Error]: >com.sap.sdt.j2ee.phases.jspm.JSPMSpStackQueuePreparator.createQueue(JSPMSpStackQueuePreparator.java:136) >[Thread[main,5,main]]: The stack T:\EHP4_Downloads\SMSDXML_CROSSSYS_20100726091148.945.xml contains no >components for this system.
    I can see in the log that stack xml you are using is not for the system to whom  you are upgrading. That is the reason system is rejecting stack file. Please check above extract of logs.
    I would suggest you to please generate stack xml file for this system from MOPZ after correctly configuring SMSY and use it. Then your problem will be resolved.
    Thanks
    Sunny

  • Unable to initialize database

    I am installing a clean install of LiveCycle ES using:
    Windows 2008
    WebSphere v7
    DB2 9.5
    Everything appears to run properly until I get to the Database initialization part when I get an error and can no longer move forward.  I have looked at the couple other issues on this forum and have not been able to find an answer.  Any thoughts?
    A screenshot of the error on the screen:
    The stacktrace from the logs:
    [10/6/10 14:10:04:661 EDT] 0000003f UMBootstrappe A com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient performBootstrapping Creating/Updating the database
    [10/6/10 14:10:09:942 EDT] 0000003f BootstrapperM E com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean createDatabase Error occured while creating database.
    [10/6/10 14:10:09:942 EDT] 0000003f BootstrapperM E com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean createDatabase TRAS0014I: The following exception was logged com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:initialization failurecom.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:schema inconsistent for com.adobe.idp.um.entity.PrincipalDomainEntity
    at com.adobe.idp.storeprovider.jdbc.DBStoreFactory.Initialize(DBStoreFactory.java:960)
    at com.adobe.idp.storeprovider.jdbc.DBStoreFactory.Initialize(DBStoreFactory.java:783)
    at com.adobe.idp.storeprovider.database.DBProviderCache.initialize(DBProviderCache.java:175)
    at com.adobe.idp.storeprovider.database.DBProviderCache.createDatabaseSchema(DBProviderCache .java:144)
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.createDatabase(Bootst rapperManagerBean.java:290)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.createDatabase(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.createDatabase(_Boo tstrapperManager_Stub.java:271)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:77)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    [10/6/10 14:10:09:942 EDT] 000002b6 DBStoreFactor E com.adobe.idp.common.errors.Logger$LogConsumer run UserM:DB_SCHEMA_INCONSISTENT: [Thread Hashcode: 1311198759] Class com.adobe.idp.um.entity.PrincipalDomainEntity inconsistent with database table
    [10/6/10 14:10:09:942 EDT] 000002b6 IDPLoggedExce W com.adobe.idp.common.errors.Logger$LogConsumer run UserM:GENERIC_WARNING: [Thread Hashcode: 1311198759] com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:schema inconsistent for com.adobe.idp.um.entity.PrincipalDomainEntity
    [10/6/10 14:10:09:942 EDT] 0000003f LocalTranCoor W   WLTC0033W: Resource IDP_DS rolled back in cleanup of LocalTransactionContainment.
    [10/6/10 14:10:09:942 EDT] 000002b6 IDPLoggedExce W com.adobe.idp.common.errors.Logger$LogConsumer run UserM:GENERIC_WARNING: [Thread Hashcode: 1311198759] com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:initialization failurecom.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:schema inconsistent for com.adobe.idp.um.entity.PrincipalDomainEntity
    [10/6/10 14:10:09:942 EDT] 0000003f LocalTranCoor W   WLTC0032W: One or more local transaction resources were rolled back during the cleanup of a LocalTransactionContainment.
    [10/6/10 14:10:09:942 EDT] 0000003f UMBootstrappe E com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient performBootstrapping Some error occured while initializing database. Refer to logs provided before for more details.
    [10/6/10 14:10:09:958 EDT] 000002b6 IDPLoggedExce W com.adobe.idp.common.errors.Logger$LogConsumer run UserM:GENERIC_WARNING: [Thread Hashcode: 1311198759] com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:getProvider failure: factory not initialized
    [10/6/10 14:10:09:958 EDT] 0000003f LocalExceptio E   CNTR0020E: EJB threw an unexpected (non-declared) exception during invocation of method "getSystemRoot" on bean "BeanId(LiveCycleES2#um.jar#PreferencesBean, null)". Exception data: com.adobe.idp.common.errors.exception.IDPSystemExceptionorigin: com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:getProvider failure: factory not initialized
    at com.adobe.idp.config.PreferencesBean.getSystemRoot(PreferencesBean.java:93)
    at com.adobe.idp.config.EJSLocalStatelessPreferencesBean_a9bff193.getSystemRoot(Unknown Source)
    at com.adobe.idp.config.AdobeReadOnlyPreferenceFactory.systemRootReadOnly(AdobeReadOnlyPrefe renceFactory.java:45)
    at com.adobe.idp.um.config.util.UMConfigManager.doesUMPreferenceTreeExist(UMConfigManager.ja va:945)
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.loadDefaultConfigurat ion(BootstrapperManagerBean.java:262)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.loadDefaultConfiguration(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.loadDefaultConfigur ation(_BootstrapperManager_Stub.java:405)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:91)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    [10/6/10 14:10:09:958 EDT] 000002b6 AdobePreferen E com.adobe.idp.common.errors.Logger$LogConsumer run UserM:GENERIC_ERROR: [Thread Hashcode: 1311198759] Problem with system rootcom.adobe.idp.common.errors.exception.IDPSystemExceptionorigin: com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:getProvider failure: factory not initialized
    [10/6/10 14:10:09:958 EDT] 0000003f BootstrapperM A com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean loadDefaultConfiguration Loading default configuration as the preference tree does not exist in the database.
    [10/6/10 14:10:09:974 EDT] 000002b6 IDPLoggedExce W com.adobe.idp.common.errors.Logger$LogConsumer run UserM:GENERIC_WARNING: [Thread Hashcode: 1311198759] com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:getProvider failure: factory not initialized
    [10/6/10 14:10:09:974 EDT] 0000003f LocalExceptio E   CNTR0020E: EJB threw an unexpected (non-declared) exception during invocation of method "getSystemRoot" on bean "BeanId(LiveCycleES2#um.jar#PreferencesBean, null)". Exception data: com.adobe.idp.common.errors.exception.IDPSystemExceptionorigin: com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:getProvider failure: factory not initialized
    at com.adobe.idp.config.PreferencesBean.getSystemRoot(PreferencesBean.java:93)
    at com.adobe.idp.config.EJSLocalStatelessPreferencesBean_a9bff193.getSystemRoot(Unknown Source)
    at com.adobe.idp.config.AdobePreferenceFactory.systemRoot(AdobePreferenceFactory.java:137)
    at com.adobe.idp.config.PreferencesBean.importConfigNodeFromXML(PreferencesBean.java:339)
    at com.adobe.idp.config.EJSLocalStatelessPreferencesBean_a9bff193.importConfigNodeFromXML(Un known Source)
    at com.adobe.idp.um.config.util.UMConfigManager.importConfigFromXML(UMConfigManager.java:176 2)
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.loadDefaultConfigurat ion(BootstrapperManagerBean.java:266)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.loadDefaultConfiguration(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.loadDefaultConfigur ation(_BootstrapperManager_Stub.java:405)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:91)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    [10/6/10 14:10:09:974 EDT] 000002b6 AdobePreferen E com.adobe.idp.common.errors.Logger$LogConsumer run UserM:GENERIC_ERROR: [Thread Hashcode: 1311198759] Problem with system rootcom.adobe.idp.common.errors.exception.IDPSystemExceptionorigin: com.adobe.idp.common.errors.exception.IDPLoggedException| [com.adobe.idp.storeprovider.jdbc.DBStoreFactory] errorCode:12290 errorCodeHEX:0x3002 message:getProvider failure: factory not initialized
    [10/6/10 14:10:09:974 EDT] 0000003f LocalExceptio E   CNTR0020E: EJB threw an unexpected (non-declared) exception during invocation of method "importConfigNodeFromXML" on bean "BeanId(LiveCycleES2#um.jar#PreferencesBean, null)". Exception data: java.lang.RuntimeException: nullgetProvider failure: factory not initialized
    at com.adobe.idp.config.AdobePreferenceFactory.systemRoot(AdobePreferenceFactory.java:178)
    at com.adobe.idp.config.PreferencesBean.importConfigNodeFromXML(PreferencesBean.java:339)
    at com.adobe.idp.config.EJSLocalStatelessPreferencesBean_a9bff193.importConfigNodeFromXML(Un known Source)
    at com.adobe.idp.um.config.util.UMConfigManager.importConfigFromXML(UMConfigManager.java:176 2)
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.loadDefaultConfigurat ion(BootstrapperManagerBean.java:266)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.loadDefaultConfiguration(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.loadDefaultConfigur ation(_BootstrapperManager_Stub.java:405)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:91)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    [10/6/10 14:10:09:974 EDT] 0000003f BootstrapperM E com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean loadDefaultConfiguration Failed to load default configuration. error:com.ibm.ejs.container.UnknownLocalException: nested exception is: java.lang.RuntimeException: nullgetProvider failure: factory not initialized
    [10/6/10 14:10:09:974 EDT] 0000003f BootstrapperM E com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean loadDefaultConfiguration TRAS0014I: The following exception was logged com.ibm.ejs.container.UnknownLocalException: nested exception is: java.lang.RuntimeException: nullgetProvider failure: factory not initialized
    at com.adobe.idp.config.AdobePreferenceFactory.systemRoot(AdobePreferenceFactory.java:178)
    at com.adobe.idp.config.PreferencesBean.importConfigNodeFromXML(PreferencesBean.java:339)
    at com.adobe.idp.config.EJSLocalStatelessPreferencesBean_a9bff193.importConfigNodeFromXML(Un known Source)
    at com.adobe.idp.um.config.util.UMConfigManager.importConfigFromXML(UMConfigManager.java:176 2)
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.loadDefaultConfigurat ion(BootstrapperManagerBean.java:266)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.loadDefaultConfiguration(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.loadDefaultConfigur ation(_BootstrapperManager_Stub.java:405)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:91)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    Caused by: java.lang.RuntimeException: nullgetProvider failure: factory not initialized
    ... 32 more
    [10/6/10 14:10:09:989 EDT] 0000003f UMBootstrappe E com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient performBootstrapping ***** Bootstrap FAILED to complete *****
    [10/6/10 14:10:10:005 EDT] 0000003f UMBootstrappe E com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient performBootstrapping Bootstrap cannot recover from error.
    [10/6/10 14:10:10:005 EDT] 0000003f UMBootstrappe E com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient performBootstrapping TRAS0014I: The following exception was logged com.adobe.idp.common.errors.exception.IDPException| [com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean] errorCode:8193 errorCodeHEX:0x2001 message:Failed to load default configuration. error:com.ibm.ejs.container.UnknownLocalException: nested exception is: java.lang.RuntimeException: nullgetProvider failure: factory not initialized
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.loadDefaultConfigurat ion(BootstrapperManagerBean.java:280)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.loadDefaultConfiguration(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.loadDefaultConfigur ation(_BootstrapperManager_Stub.java:405)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:91)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    [10/6/10 14:10:10:005 EDT] 0000003f UMBootstrappe E com.adobe.livecycle.bootstrap.bootstrappers.AbstractBoostrapper log ALC-TTN-011-003: Bootstrapping failed for platform component [UserManager].  The wrapped exception's message reads:
    Failed to load default configuration. error:com.ibm.ejs.container.UnknownLocalException: nested exception is: java.lang.RuntimeException: nullgetProvider failure: factory not initialized 
    [10/6/10 14:10:10:005 EDT] 0000003f UMBootstrappe E com.adobe.livecycle.bootstrap.bootstrappers.AbstractBoostrapper log TRAS0014I: The following exception was logged com.adobe.livecycle.bootstrap.BootstrapException: ALC-TTN-011-003: Bootstrapping failed for platform component [UserManager].  The wrapped exception's message reads:
    Failed to load default configuration. error:com.ibm.ejs.container.UnknownLocalException: nested exception is: java.lang.RuntimeException: nullgetProvider failure: factory not initialized 
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 107)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:831)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.service(ServletWrapper.java:1443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:790)
    at com.ibm.ws.webcontainer.servlet.ServletWrapper.handleRequest(ServletWrapper.java:443)
    at com.ibm.ws.webcontainer.servlet.ServletWrapperImpl.handleRequest(ServletWrapperImpl.java: 175)
    at com.ibm.ws.webcontainer.servlet.CacheServletWrapper.handleRequest(CacheServletWrapper.jav a:91)
    at com.ibm.ws.webcontainer.WebContainer.handleRequest(WebContainer.java:859)
    at com.ibm.ws.webcontainer.WSWebContainer.handleRequest(WSWebContainer.java:1557)
    at com.ibm.ws.webcontainer.channel.WCChannelLink.ready(WCChannelLink.java:173)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleDiscrimination(HttpInboundLink .java:455)
    at com.ibm.ws.http.channel.inbound.impl.HttpInboundLink.handleNewInformation(HttpInboundLink .java:384)
    at com.ibm.ws.http.channel.inbound.impl.HttpICLReadCallback.complete(HttpICLReadCallback.jav a:83)
    at com.ibm.ws.tcp.channel.impl.AioReadCompletionListener.futureCompleted(AioReadCompletionLi stener.java:165)
    at com.ibm.io.async.AbstractAsyncFuture.invokeCallback(AbstractAsyncFuture.java:217)
    at com.ibm.io.async.AsyncChannelFuture.fireCompletionActions(AsyncChannelFuture.java:161)
    at com.ibm.io.async.AsyncFuture.completed(AsyncFuture.java:138)
    at com.ibm.io.async.ResultHandler.complete(ResultHandler.java:202)
    at com.ibm.io.async.ResultHandler.runEventProcessingLoop(ResultHandler.java:766)
    at com.ibm.io.async.ResultHandler$2.run(ResultHandler.java:896)
    at com.ibm.ws.util.ThreadPool$Worker.run(ThreadPool.java:1527)
    Caused by: com.adobe.idp.common.errors.exception.IDPException| [com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean] errorCode:8193 errorCodeHEX:0x2001 message:Failed to load default configuration. error:com.ibm.ejs.container.UnknownLocalException: nested exception is: java.lang.RuntimeException: nullgetProvider failure: factory not initialized
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.loadDefaultConfigurat ion(BootstrapperManagerBean.java:280)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.loadDefaultConfiguration(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.loadDefaultConfigur ation(_BootstrapperManager_Stub.java:405)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:91)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    ... 23 more

    Ok so I started from scratch following the "correct" documentation.  I am still at the same point though.  I follow the steps in preconfiguration and then make it up to the Initialize DB portion of the COnfiguration Manager.  I get the same error as reported initially (same stack trace).  I found reference to an error log and see the additional stack trace below.  It seems to think there is a missing table ("LC_USR.EDCVERSIONENTITYSQ2" is an undefined name).  I open the DB2 Control center to verify the table is missing and it would seem there is a reason to complain.  THere is a similar table with "_T" at the end of the table.  Any thoughts on what's going on?
    [10/20/10 13:30:34:289 EDT]     FFDC Exception:com.ibm.db2.jcc.b.nm SourceId:com.ibm.ws.rsadapter.jdbc.WSJdbcPreparedStatement.executeUpdate ProbeId:449 Reporter:com.ibm.ws.rsadapter.jdbc.WSJccPreparedStatement@2c152c15
    com.ibm.db2.jcc.b.nm: "LC_USR.EDCVERSIONENTITYSQ2" is an undefined name.. SQLCODE=-204, SQLSTATE=42704, DRIVER=3.50.152
    at com.ibm.db2.jcc.b.wc.a(wc.java:579)
    at com.ibm.db2.jcc.b.wc.a(wc.java:57)
    at com.ibm.db2.jcc.b.wc.a(wc.java:126)
    at com.ibm.db2.jcc.b.tk.b(tk.java:1593)
    at com.ibm.db2.jcc.b.tk.c(tk.java:1576)
    at com.ibm.db2.jcc.t4.db.k(db.java:353)
    at com.ibm.db2.jcc.t4.db.a(db.java:59)
    at com.ibm.db2.jcc.t4.t.a(t.java:50)
    at com.ibm.db2.jcc.t4.tb.b(tb.java:200)
    at com.ibm.db2.jcc.b.uk.Gb(uk.java:2355)
    at com.ibm.db2.jcc.b.uk.e(uk.java:3129)
    at com.ibm.db2.jcc.b.uk.zb(uk.java:568)
    at com.ibm.db2.jcc.b.uk.executeUpdate(uk.java:551)
    at com.ibm.ws.rsadapter.jdbc.WSJdbcPreparedStatement.pmiExecuteUpdate(WSJdbcPreparedStatemen t.java:1097)
    at com.ibm.ws.rsadapter.jdbc.WSJdbcPreparedStatement.executeUpdate(WSJdbcPreparedStatement.j ava:738)
    at com.adobe.idp.storeprovider.jdbc.DBStatement.executeNonQuery(DBStatement.java:412)
    at com.adobe.idp.storeprovider.jdbc.DBConnection.executeStatement(DBConnection.java:128)
    at com.adobe.idp.storeprovider.jdbc.DBConnection.executeDDLStatement(DBConnection.java:140)
    at com.adobe.idp.storeprovider.jdbc.DBSchemaSQL.makeSequence(DBSchemaSQL.java:974)
    at com.adobe.idp.storeprovider.jdbc.DBSchemaSQL.makeSequence(DBSchemaSQL.java:1116)
    at com.adobe.idp.storeprovider.jdbc.DBSequence.<init>(DBSequence.java:47)
    at com.adobe.idp.storeprovider.jdbc.DBStoreFactory.doVersionCreation(DBStoreFactory.java:177 2)
    at com.adobe.idp.storeprovider.jdbc.DBStoreFactory.setupDB(DBStoreFactory.java:2061)
    at com.adobe.idp.storeprovider.jdbc.DBStoreFactory.Initialize(DBStoreFactory.java:945)
    at com.adobe.idp.storeprovider.jdbc.DBStoreFactory.Initialize(DBStoreFactory.java:783)
    at com.adobe.idp.storeprovider.database.DBProviderCache.initialize(DBProviderCache.java:175)
    at com.adobe.idp.storeprovider.database.DBProviderCache.createDatabaseSchema(DBProviderCache .java:144)
    at com.adobe.idp.um.businesslogic.bootstrapper.BootstrapperManagerBean.createDatabase(Bootst rapperManagerBean.java:290)
    at com.adobe.idp.um.businesslogic.bootstrapper.EJSRemoteStatelessBootstrapperManagerBean_043 a4496.createDatabase(Unknown Source)
    at com.adobe.idp.um.businesslogic.bootstrapper._BootstrapperManager_Stub.createDatabase(_Boo tstrapperManager_Stub.java:271)
    at com.adobe.idp.um.businesslogic.bootstrapper.UMBootstrapperClient.performBootstrapping(UMB ootstrapperClient.java:77)
    at com.adobe.livecycle.bootstrap.bootstrappers.UMBootstrapper.bootstrap(UMBootstrapper.java: 103)
    at com.adobe.livecycle.bootstrap.framework.ManualBootstrapInvoker.invoke(ManualBootstrapInvo ker.java:78)
    at com.adobe.livecycle.bootstrap.framework.BootstrapServlet.doGet(BootstrapServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:718)

  • Problem with Java Stack- dev_w2 log mentioned.

    Hi everyone, I have a problem with Java Stack, I could not connect to XI home page,
    I am unable to login to j2ee engine using visual Administrator.
    Please go through the log below. And help me out to resolve this issue and let me know what could be the problem.
    trc file: "dev_w2", trc level: 1, release: "640"
    ACTIVE TRACE LEVEL           1
    ACTIVE TRACE COMPONENTS      all, M

    B  create_con (con_name=R/3)
    B  Loading DB library 'C:\usr\sap\SXI\SYS\exe\run\dboraslib.dll' ...
    B  Library 'C:\usr\sap\SXI\SYS\exe\run\dboraslib.dll' loaded
    B  Version of 'C:\usr\sap\SXI\SYS\exe\run\dboraslib.dll' is "640.00", patchlevel (0.39)
    B  New connection 0 created
    M systemid   560 (PC with Windows NT)
    M relno      6400
    M patchlevel 0
    M patchno    43
    M intno      20020600
    M make:      multithreaded, Unicode
    M pid        4140
    M
    M  ***LOG Q0Q=> tskh_init, WPStart (Workproc 2 4140) [dpxxdisp.c   1160]
    I  MtxInit: -2 0 0
    M  DpSysAdmExtCreate: ABAP is active
    M  DpSysAdmExtCreate: JAVA is not active
    M  DpShMCreate: sizeof(wp_adm)          13160     (1316)
    M  DpShMCreate: sizeof(tm_adm)          2780232     (13832)
    M  DpShMCreate: sizeof(wp_ca_adm)          24000     (80)
    M  DpShMCreate: sizeof(appc_ca_adm)     8000     (80)
    M  DpShMCreate: sizeof(comm_adm)          290000     (580)
    M  DpShMCreate: sizeof(vmc_adm)          0     (372)
    M  DpShMCreate: sizeof(wall_adm)          (38456/34360/64/184)
    M  DpShMCreate: SHM_DP_ADM_KEY          (addr: 060A0040, size: 3195320)
    M  DpShMCreate: allocated sys_adm at 060A0040
    M  DpShMCreate: allocated wp_adm at 060A1B58
    M  DpShMCreate: allocated tm_adm_list at 060A4EC0
    M  DpShMCreate: allocated tm_adm at 060A4EE8
    M  DpShMCreate: allocated wp_ca_adm at 0634BB30
    M  DpShMCreate: allocated appc_ca_adm at 063518F0
    M  DpShMCreate: allocated comm_adm_list at 06353830
    M  DpShMCreate: allocated comm_adm at 06353848
    M  DpShMCreate: allocated vmc_adm_list at 0639A518
    M  DpShMCreate: system runs without vmc_adm
    M  DpShMCreate: allocated ca_info at 0639A540
    M  DpShMCreate: allocated wall_adm at 0639A548
    X  EmInit: MmSetImplementation( 2 ).
    X  <ES> client 2 initializing ....
    X  <ES> InitFreeList
    X  Using implementation flat
    M  <EsNT> Memory Reset disabled as NT default
    X  ES initialized.

    M  calling db_connect ...
    C  Got ORACLE_HOME=c:\oracle\ora92 from environment
    C  Client NLS settings: AMERICAN_AMERICA.UTF8
    C  Logon as OPS$-user to get SAPSXI's password
    C  Connecting as /@SXI on connection 0 ...
    C  Attaching to DB Server SXI (con_hdl=0,svchp=04494404,svrhp=04495074)

    C  Starting user session (con_hdl=0,svchp=04494404,srvhp=04495074,usrhp=0449D8AC)

    C  Now I'm connected to ORACLE
    C  Got SAPSXI's password from OPS$-user
    C  Disconnecting from connection 0 ...
    C  Closing user session (con_hdl=0,svchp=04494404,usrhp=0449D8AC)
    C  Now I'm disconnected from ORACLE
    C  Connecting as SAPSXI/<pwd>@SXI on connection 0 ...
    C  Starting user session (con_hdl=0,svchp=04494404,srvhp=04495074,usrhp=0449D8AC)
    C  Now I'm connected to ORACLE
    C  Database NLS settings: AMERICAN_AMERICA.UTF8
    C  Database instance sxi is running on STARXI with ORACLE version 9.2.0.5.0 since 20081020
    B  Connection 0 opened
    B  Wp  Hdl ConName          ConId     ConState     TX  PRM RCT TIM MAX OPT Date     Time   DBHost         
    B  000 000 R/3              000000000 ACTIVE       NO  YES NO  000 255 255 20081020 123752 STARXI         
    M  db_connect o.k.
    I  MtxInit: 2 0 0
    M  SHM_PRES_BUF               (addr: 08230040, size: 4400128)
    M  SHM_ROLL_AREA          (addr: 62E40040, size: 77594624)
    M  SHM_PAGING_AREA          (addr: 08670040, size: 39845888)
    M  SHM_ROLL_ADM               (addr: 0AC80040, size: 775412)
    M  SHM_PAGING_ADM          (addr: 0AD40040, size: 525344)
    M  ThCreateNoBuffer          allocated 540152 bytes for 1000 entries at 0ADD0040
    M  ThCreateNoBuffer          index size: 3000 elems
    M  ThCreateVBAdm          allocated 12160 bytes (50 server) at 0AE60040
    X  EmInit: MmSetImplementation( 2 ).
    X  <ES> client 2 initializing ....
    X  Using implementation flat
    X  ES initialized.

    B  db_con_shm_ini:  WP_ID = 2, WP_CNT = 10
    B  dbtbxbuf: Buffer TABL  (addr: 103D00C8, size: 30000128, end: 1206C4C8)
    B  dbtbxbuf: Profile: max_objects = 5000, displace = 1, reorg = 1
    B  dbtbxbuf: request_unit = 2000, sync_reload = 5, inval_reload = 5
    B  dbtbxbuf: protect_shm = 0, force_checks = 0
    B  dbtbxbuf: tsize_retry = 14302848
    B  ***LOG BB0=> buffer TABL       started with length 30000128   bytes [dbtbxbuf#7 @ 15714] [dbtbxbuf1571 4]
    B  dbtbxbuf: Buffer TABLP (addr: 0E4000C8, size: 10240000, end: 0EDC40C8)
    B  dbtbxbuf: Profile: max_objects = 500, displace = 1, reorg = 1
    B  dbtbxbuf: request_unit = 2000, sync_reload = 5, inval_reload = 5
    B  dbtbxbuf: protect_shm = 0, force_checks = 0
    B  dbtbxbuf: tsize_retry = 5046656
    B  ***LOG BB0=> buffer TABLP      started with length 10240000   bytes [dbtbxbuf#7 @ 15714] [dbtbxbuf1571 4]
    B  dbtbxbuf: Reading TBX statistics:
    B  dbtbxbuf: 41 object entries precreated
    B  Layout of EIBUF buffer shared memory:
    B  0: 1 * 4 = 4
    B  1: 1 * 344 = 344
    B  2: 10 * 20 = 200
    B  3: 4001 * 48 = 192048
    B  4: 2000 * 232 = 464000
    B  5: 4001 * 4 = 16004
    B  6: 1 * 200 = 200
    B  7: 65 * 4 = 260
    B  8: 13754 * 256 = 3521024
    B  Tracing = 0, Shm Protection = 0, Force checks = 0
    B  dbexpbuf: Buffer EIBUF (addr: 0EDE00D0, size: 4194304, end: 0F1E00D0)
    B  ***LOG BB0=> buffer EIBUF      started with length 4096k      bytes [dbexpbuf#5 @ 2322] [dbexpbuf2322 ]
    B  Layout of ESM   buffer shared memory:
    B  0: 1 * 4 = 4
    B  1: 1 * 344 = 344
    B  2: 10 * 20 = 200
    B  3: 4001 * 48 = 192048
    B  4: 2000 * 232 = 464000
    B  5: 4001 * 4 = 16004
    B  6: 1 * 200 = 200
    B  7: 65 * 4 = 260
    B  8: 13754 * 256 = 3521024
    B  Tracing = 0, Shm Protection = 0, Force checks = 0
    B  dbexpbuf: Buffer ESM   (addr: 0F1F00D0, size: 4194304, end: 0F5F00D0)
    B  ***LOG BB0=> buffer ESM        started with length 4096k      bytes [dbexpbuf#5 @ 2322] [dbexpbuf2322 ]
    B  Layout of CUA   buffer shared memory:
    B  0: 1 * 4 = 4
    B  1: 1 * 344 = 344
    B  2: 10 * 20 = 200
    B  3: 3001 * 48 = 144048
    B  4: 1500 * 232 = 348000
    B  5: 3001 * 4 = 12004
    B  6: 1 * 200 = 200
    B  7: 193 * 4 = 772
    B  8: 5012 * 512 = 2566144
    B  Tracing = 0, Shm Protection = 0, Force checks = 0
    B  dbexpbuf: Buffer CUA   (addr: 0F6000D0, size: 3072000, end: 0F8EE0D0)
    B  ***LOG BB0=> buffer CUA        started with length 3000k      bytes [dbexpbuf#5 @ 2322] [dbexpbuf2322 ]
    B  Layout of OTR   buffer shared memory:
    B  0: 1 * 4 = 4
    B  1: 1 * 344 = 344
    B  2: 10 * 20 = 200
    B  3: 4001 * 48 = 192048
    B  4: 2000 * 232 = 464000
    B  5: 4001 * 4 = 16004
    B  6: 1 * 200 = 200
    B  7: 81 * 4 = 324
    B  8: 13754 * 256 = 3521024
    B  Tracing = 0, Shm Protection = 0, Force checks = 0
    B  dbexpbuf: Buffer OTR   (addr: 0F8F00D0, size: 4194304, end: 0FCF00D0)
    B  ***LOG BB0=> buffer OTR        started with length 4096k      bytes [dbexpbuf#5 @ 2322] [dbexpbuf2322 ]
    B  ***LOG BB0=> buffer CALE       started with length 500000     bytes [dbcalbuf#1 @ 2206] [dbcalbuf2206 ]
    B  dbtran INFO (init_connection '<DEFAULT>' [ORACLE:640.00]):
    B   max_blocking_factor =  15,  max_in_blocking_factor      =   5,
    B   min_blocking_factor =  10,  min_in_blocking_factor      =   5,
    B   prefer_union_all    =   0,  prefer_union_for_select_all =   0,
    B   prefer_fix_blocking =   0,  prefer_in_itab_opt          =   1,
    B   convert AVG         =   0,  alias table FUPD            =   0,
    B   escape_as_literal   =   1,  opt GE LE to BETWEEN        =   0,
    B   select *            =0x0f,  character encoding          = STD / <none>:-,
    B   use_hints           = abap->1, dbif->0x1, upto->2147483647, rule_in->0,
    B                         rule_fae->0, concat_fae->0, concat_fae_or->0

    M  PfHIndInitialize: memory=<0AEEC488>, header=<0AEEC488>, records=<0AEEC4D0>
    M  SecAudit(init_sel_info): init of SCSA completed: 02 slots used
    M  ***LOG AV6=> 02& [rsauwr1.c    1619]
    M  SsfSapSecin: automatic application server initialization for SAPSECULIB
    N  SsfSapSecin: Looking for PSE in database
    N  SsfPseLoad: started...(path=C:\usr\sap\SXI\DVEBMGS00\sec, AS=starxi, instanceid=00)

    N  SsfPseLoad: Downloading file C:\usr\sap\SXI\DVEBMGS00\sec\SAPSYS.pse (client:    , key: SYSPSE, len: 1078)
    N  SsfPseLoad: ended (1 of 1 sucessfully loaded, 1 checked...
    N  MskiCreateLogonTicketCache: Logon Ticket cache created in shared memory.
    N  MskiCreateLogonTicketCache: Logon Ticket cache pointer registered in shared memory.
    M  rdisp/reinitialize_code_page -> 0
    M  icm/accept_remote_trace_level -> 0
    M  rdisp/no_hooks_for_sqlbreak -> 0

    S  *** init spool environment
    S  initialize debug system
    T  Stack direction is downwards.
    T  debug control: prepare exclude for printer trace
    T  new memory block 121963B0
    S  spool kernel/ddic check: Ok
    S  using table TSP02FX for frontend printing
    S  1 spool work process(es) found
    S  frontend print via spool service enabled
    S  printer list size is 150
    S  printer type list size is 50
    S  queue size (profile)   = 300
    S  hostspool list size = 3000
    S  option list size is 30
    S      intervals: query=50, rescan=1800, global=300 info=120
    S      processing queue enabled
    S  creating spool memory service RSPO-RCLOCKS at 0FEB00A8
    S  doing lock recovery
    S  setting server cache root
    S  using server cache size 100 (prof=100)
    S  creating spool memory service RSPO-SERVERCACHE at 0FEB0370
    S    using messages for server info
    S  size of spec char cache entry: 297028 bytes (timeout 100 sec)
    S  size of open spool request entry: 2132 bytes
    S  immediate print option for implicitely closed spool requests is disabled


    A  -PXA--
    A  PXA INITIALIZATION
    A  PXA: Fragment Size too small: 73 MB, reducing # of fragments
    A  System page size: 4kb, admin_size: 5032kb.
    A  PXA allocated (address 67850040, size 150000K)
    A  System name
    A  ORACLE...........................SXI........20081004121019.....................................
    A  is used for RFC security.
    A  Sharedbuffer token: 41534050...33 (len: 111)====== 2b61c190857e36a8681ef39a...
    A  abap/pxa = shared protect gen_remote
    A  PXA INITIALIZATION FINISHED
    A  -PXA--

    A  ABAP ShmAdm initialized (addr=579F4000 leng=20955136 end=58DF0000)
    A  >> Shm MMADM area (addr=57E69DF0 leng=126176 end=57E88AD0)
    A  >> Shm MMDAT area (addr=57E89000 leng=16150528 end=58DF0000)
    A  RFC rfc/signon_error_log = -1
    A  RFC rfc/dump_connection_info = 0
    A  RFC rfc/dump_client_info = 0
    A  RFC rfc/cp_convert/ignore_error = 1
    A  RFC rfc/cp_convert/conversion_char = 23
    A  RFC rfc/wan_compress/threshold = 251
    A  RFC rfc/recorder_pcs not set, use defaule value: 2
    A  RFC rfc/delta_trc_level not set, use default value: 0
    A  RFC rfc/no_uuid_check not set, use default value: 0
    A  RFC Method> initialize RemObjDriver for ABAP Objects
    A  Hotpackage version: 9
    M  ThrCreateShObjects          allocated 10568 bytes at 0FFD0040
    M  ThVBStartUp: restart pending update requests

    M  ThVBAutoStart: update-auto-delete
    N  SsfSapSecin: putenv(SECUDIR=C:\usr\sap\SXI\DVEBMGS00\sec): ok
    N  SsfSapSecin: PSE C:\usr\sap\SXI\DVEBMGS00\sec\SAPSYS.pse found!

    N  =================================================
    N  === SSF INITIALIZATION:
    N  ===...SSF Security Toolkit name SAPSECULIB .
    N  ===...SSF trace level is 0 .
    N  ===...SSF library is C:\usr\sap\SXI\SYS\exe\run\sapsecu.dll .
    N  ===...SSF hash algorithm is SHA1 .
    N  ===...SSF symmetric encryption algorithm is DES-CBC .
    N  ===...sucessfully completed.
    N  =================================================
    N  MskiInitLogonTicketCacheHandle: Logon Ticket cache pointer retrieved from shared memory.
    N  MskiInitLogonTicketCacheHandle: Workprocess runs with Logon Ticket cache.
    W  =================================================
    W  === ipl_Init() called
    W    ITS Plugin: Path dw_gui
    W    ITS Plugin: Description ITS Plugin - ITS rendering DLL
    W    ITS Plugin: sizeof(SAP_UC) 2
    W    ITS Plugin: Release: 640, [6400.0.43.20020600]
    W    ITS Plugin: Int.version, [31]
    W    ITS Plugin: Feature set: [3]
    W    ===... Calling itsp_Init in external dll ===>
    W  === ipl_Init() returns 0, ITSPE_OK: OK
    W  =================================================
    M  MBUF info for hooks: MS component UP
    M  ThSetEnqName: set enqname by profile
    M  ThISetEnqname: enq name = >starxi_SXI_00                           <

    E  *************** EnqId_EN_ActionAtMsUpHook ***************
    E  Hook on upcoming Ms (with EnqSrv), get auth EnqId and check it locally
    E  Enqueue Info: enque/disable_replication = 2
    E  Enqueue Info: replication disabled


    E  *************** ObjShMem_CheckAuthoritativeEnqId ***************
    E  Checking authoritative EnqId from EnqSrv into ObjShMem
    E  ObjShMem_CheckAuthoritativeEnqId: ObjShMem ...
    E  EnqId.EnqTabCreaTime    = -999
    E  EnqId.RandomNumber      = -999
    E  ReqOrd.TimeInSecs       = -999
    E  ReqOrd.ReqNumberThisSec = -999
    E  ObjShMem_CheckAuthoritativeEnqId: ObjShMem ...
    E  EnqId.EnqTabCreaTime    = -999
    E  EnqId.RandomNumber      = -999
    E  ReqOrd.TimeInSecs       = -999
    E  ReqOrd.ReqNumberThisSec = -999
    E  ObjShMem_CheckAuthoritativeEnqId: EnqId is initial in ShMem
    E  ObjShMem_CheckAuthoritativeEnqId: Overwrite incoming auth EnqId, continue
    E  EnqId inscribed into initial ObjShMem: (ObjShMem_CheckAuthoritativeEnqId)
    E  -SHMEM--
    E  EnqId:          EnqTabCreaTime/RandomNumber    = 20.10.2008 12:38:10  1224486490 / 4140
    E  ReqOrd at Srv:  TimeInSecs/ReqNumberThisSec    = 20.10.2008 12:38:11  1224486491 / 1
    E  ReqOrd at Cli:  TimeInSecs/ReqNumberThisSec    = 20.10.2008 12:38:11  1224486491 / 1
    E  Status:         STATUS_OK
    E  -
    M  ThActivateServer: state = STARTING
    L  Begin of BtcSysStartRaise
    L  Raise event SAP_SYSTEM_START with parameter <starxi_SXI_00       >
    L  End of BtcSysStartRaise

    I  MPI<c>9#3 Peak buffer usage: 5 (@ 64 KB)

    M  *** WARNING => ThCheckReqInfo: req_info & DP_CANT_HANDLE_REQ
    M  return number range rc 12
    M  *** WARNING => ThNoGet: get from object (cli/obj/subobj/range = 000/ALAUTOUID /      /01) returned rc 12

    S  server @>SSRV:starxi_SXI_00@< appears or changes (state 1)
    B  table logging switched off for all clients

    S  server @>SSRV:starxi_SXI_00@< appears or changes (state 1)

    M  hostaddrlist return 0

    M  hostaddrlist return 0

    M  hostaddrlist return 0
    M  hostaddrlist return 0
    M  hostaddrlist return 0
    Regards,
    Varun.

    You probably made the same mistake as I did and added the tables manually to the "sample" database instead of the "sun-appserv-samples" database.
    marc

Maybe you are looking for

  • Create pdf files with broadcaster

    Dear experts, I want to create a pdf file using a broadcaster setting. The pdf will be viewed on the user's client pc and after that be printed on a chosen printer. From all that I've read so far this should be possible. When I try to configure a bro

  • Why I can't use a spanish iTunes gift-card with my austrian account?

    I have an autrian Itunes account and am right now in Spain for holydays. My grandpa bought me a 25 EUR iTunes gift-card bit I can't use it. I'm really upset about this.... any solution?

  • Lightroom gallery in iweb

    I have created several flash galleries in lightroom and am using them in iweb. The thing i cant figure out is why is my gallery having borders in Internet Explorer, but has no border in Safari and Firefox. Here is the webpage that the gallery is on:

  • IWeb photo galleries cause Internet Explorer to crash

    Please help! I am a novice as far as web design goes and have spent a long time getting my site up and going. It works perfectly on Firefox, Chrome, Safari etc but when using Internet explorer the photo galleries cause the browser to crash/freeze. If

  • Moving My Catalog PSE 13

    Ok I hope someone can assist me. So I used the Move/Copy to another drive I moved all of my pictures using this command and now I have a mess. I use to have all of pictures neatly tucked away in individual folders. I needed to free up some space on m