11g bug(?)--AM client methods returning collections

Hi all,
I've got an application module with a method returning a collection of view rows, and I've exposed it on my client interface. The problem is that, in the data control palette, the method's return is just an untyped "element"--there's no declarative way of accessing the view row's data, that I can see.
I've tried setting the "Element Java Type" in the "Edit Client Interface" dialog (after generating a custom view row class and exposing accessors on a VR client interface), but that seems to have no effect. I've tried right-clicking on the "element" node in the DCP and selecting "Edit Definition," but that doesn't seem to do anything either (no editor appears). Is there a way to return a typed collection (or, even better, a ViewObject with all attributes pertaining thereto) from a service method and have valuable stuff appear in the DCP?

Couple of comments
- wrong forum, should go to: JDeveloper and OC4J 11g Technology Preview
- if the method returns rows, or ideally a VO, why can't this be done through a VO directly ?
Frank

Similar Messages

  • Bug? EJB method Return Value and Client Catch the Exception?

    oc4j 9.0.3 on the windows 2000
    I write a Stateless Session Bean named SB1 ,
    and define application exception.
    The Code as follow:
    public class AppErrorException extends Exception
    public interface SB1 extends EJBObject
    public String getMemono(String sysID, String rptKind, String parentMemono)
    throws RemoteException, AppErrorException;
    public class SB1Bean implements SessionBean
    public String getMemono(String sysID, String rptKind, String parentMemono)
    throws RemoteException, AppErrorException
    throw new AppErrorException("Error in getMemono");
    public class SB1TestClient
    try
    memomo= sb1.getMemono(.....);
    catch(AppErrorException ae)
    ae.printStackTrace();
    I found a bug.
    If SB1.getMemono() throws the AppErrorException, but SB1TestClient will not catch any Exception.
    It is not normal!!!!
    [cf]
    But If I convert "public String getMemono(...)" into "public void getMemono(...)",
    When SB1.getMemono() throws the AppErrorException, but SB1TestClient will catch any Exception.
    It is normal.

    getMemono(.......)'s code as follow:
    public String getMemono(String sysID, String rptKind, String parentMemono)
    throws AppErrorException
    log("getMemono("+sysID+", "+rptKind+", "+parentMemono+")");
    Connection connection= null;
    CallableStatement statement = null;
    String memono= "";
    short retCode= -1;
    String retMsg= "";
    try
    String sql= this.CALL_SPGETMEMONO;
    connection = ResourceAssistant.getDBConnectionLocal("awmsDS");
    statement= connection.prepareCall(sql);
    statement.setString(1, sysID.trim());
    statement.setString(2, rptKind.trim());
    statement.setString(3, parentMemono.trim());
    statement.registerOutParameter(4, java.sql.Types.VARCHAR);
    statement.registerOutParameter(5, java.sql.Types.SMALLINT);
    statement.registerOutParameter(6, java.sql.Types.VARCHAR);
    statement.executeQuery();
    retCode= statement.getShort(5);
    retMsg= statement.getString(6);
    log("retCode="+retCode);
    log("retMsg="+retMsg);
    if (retCode==AppConfig.SHORT_SP_RETCODE_FAILED)
    log("retCode==AppConfig.SHORT_SP_RETCODE_FAILED");
    this.sessionContext.setRollbackOnly();
    throw new AppErrorException(retMsg);
    memono= statement.getString(4);
    log("memono="+memono);
    if (rptKind.trim().length()<6)
    log("rptKind.trim().length()<6");
    this.sessionContext.setRollbackOnly();
    throw new AppErrorException("rptKind.trim().length()<6");
    memono= "SS";
    catch (AppErrorException ae)
    log("catch(AppErrorException ae)");
    throw ae;
    //throw new EJBException(ae.getErrMsg());
    catch (Exception e)
    log("catch (Exception e)");
    this.sessionContext.setRollbackOnly();
    throw new AppErrorException(IExceptionConst.ERR_MSG_SYSMEMONO_00000, e.toString());
    //throw new EJBException(IExceptionConst.ERR_MSG_SYSMEMONO_00000+", "+e.toString());
    finally
    log("this.sessionContext.getRollbackOnly()="+this.sessionContext.getRollbackOnly());
    ResourceAssistant.cleanup(connection,statement);
    return memono;

  • Java.nio select() method return 0 in my client application

    Hello,
    I'm developing a simple chat application who echo messages
    But my client application loop because the select() method return 0
    This is my code
    // SERVER
    package test;
    import java.io.IOException;
    import java.net.InetSocketAddress;
    import java.nio.channels.SelectionKey;
    import java.nio.channels.Selector;
    import java.nio.channels.ServerSocketChannel;
    import java.nio.channels.SocketChannel;
    import java.util.Iterator;
    import java.util.Set;
    public class Server {
         private int port = 5001;
         public void work() {               
              try {
                   ServerSocketChannel serverSocketChannel = ServerSocketChannel.open();
                   serverSocketChannel.configureBlocking(false);
                   InetSocketAddress isa = new InetSocketAddress(port);               
                   serverSocketChannel.socket().bind(isa);
                   Selector selector = Selector.open();
                   serverSocketChannel.register(selector, SelectionKey.OP_ACCEPT);
                   System.out.println("Listing on "+port);
                   while(selector.select()>0) {
                        Set keys = selector.selectedKeys();
                        for(Iterator i = keys.iterator(); i.hasNext();) {
                             SelectionKey key = (SelectionKey) i.next();
                             i.remove();
                             if (key.isAcceptable()) {
                                  ServerSocketChannel keyChannel = (ServerSocketChannel)key.channel();                              
                                  SocketChannel channel = keyChannel.accept();
                                  channel.configureBlocking(false);                              
                                  channel.register(selector, SelectionKey.OP_READ );
                             } else if (key.isReadable()) {
                                  SocketChannel keyChannel = (SocketChannel) key.channel();
                                  String m = Help.read(keyChannel );
                                  Help.write(m.toUpperCase(), keyChannel );
              } catch (IOException e) {                                             
                   e.printStackTrace();                         
         public static void main(String[] args) {
              Server s = new Server();
              s.work();
    // CLIENT
    package test;
    import java.awt.event.KeyAdapter;
    import java.awt.event.KeyEvent;
    import java.awt.event.WindowAdapter;
    import java.awt.event.WindowEvent;
    import java.io.IOException;
    import java.net.InetSocketAddress;
    import java.nio.channels.SelectionKey;
    import java.nio.channels.Selector;
    import java.nio.channels.SocketChannel;
    import java.util.Iterator;
    import java.util.Set;
    import javax.swing.JFrame;
    import javax.swing.JScrollPane;
    import javax.swing.JTextArea;
    import javax.swing.JTextField;
    import javax.swing.SwingUtilities;
    public class Client extends JFrame  {
         private String host = "localhost";
         private int port = 5001;
         private SocketChannel socketChannel;
         private Selector selector;
         public void work() {               
              try {
                   socketChannel = SocketChannel.open();
                   socketChannel.configureBlocking(false);
                   InetSocketAddress isa = new InetSocketAddress(host, port);               
                   socketChannel.connect(isa);
                   selector = Selector.open();
                   socketChannel.register(selector, SelectionKey.OP_CONNECT | SelectionKey.OP_READ );
                   while(true) {
                        selector.select();
                        Set keys = selector.selectedKeys();
                        for(Iterator i = keys.iterator(); i.hasNext();) {
                             SelectionKey key = (SelectionKey) i.next();
                             i.remove();
                             if (key.isConnectable()) {
                                  SocketChannel keyChannel = (SocketChannel) key.channel();
                                  if (keyChannel.isConnectionPending()) {
                                       System.out.println("Connected "+keyChannel.finishConnect());                                                                           
                             } else if (key.isReadable()) {                                                                                                                                                           
                                  SocketChannel keyChannel = (SocketChannel) key.channel();                                             
                                  String m = Help.read(keyChannel);
                                  display(m);                                                                                                                                                                                                                   
              } catch (IOException e) {                                             
                   e.printStackTrace();                         
         private void display(final String m) {
              SwingUtilities.invokeLater(new Runnable() {
                   public void run() {
                        area.append(m+"\n");
                        textFieed.setText("");
         private void sendMessage(final String m) {
              Thread t = new Thread(new Runnable() {               
                   public void run() {                                                                                
                        try {                         
                             Help.write(m, socketChannel);
                        } catch (IOException e) {               
                             e.printStackTrace();
              t.start();                    
         public Client() {
              addWindowListener(new WindowAdapter() {
                   public void windowClosing(WindowEvent e) {
                        System.exit(1);
              textFieed.addKeyListener(new KeyAdapter() {
                   public void keyPressed(KeyEvent e) {
                        if (e.getKeyCode()== KeyEvent.VK_ENTER) {
                             String m = textFieed.getText();
                             sendMessage(m);     
              area.setEditable(false);
              getContentPane().add(textFieed, "North");
              getContentPane().add(new JScrollPane(area));
              setBounds(200, 200, 400, 300);
              show();
         private String messageToSend;
         private JTextArea area = new JTextArea();
         JTextField textFieed = new JTextField();
         public static void main(String[] args) {
              Client s = new Client();
              s.work();
    // HELPER CLASS
    package test;
    import java.io.IOException;
    import java.nio.ByteBuffer;
    import java.nio.CharBuffer;
    import java.nio.channels.SocketChannel;
    import java.nio.charset.Charset;
    import java.nio.charset.CharsetDecoder;
    import java.nio.charset.CharsetEncoder;
    public class Help {
         private static Charset charset = Charset.forName("us-ascii");
         private static CharsetEncoder enc = charset.newEncoder();
         private static CharsetDecoder dec = charset.newDecoder();
         private static void log(String m) {
              System.out.println(m);
         public static String read(SocketChannel channel) throws IOException {
              log("*** start READ");                              
              int n;
              ByteBuffer buffer = ByteBuffer.allocate(1024);
              while((n = channel.read(buffer)) > 0) {
                   System.out.println("     adding "+n+" bytes");
              log("  BUFFER REMPLI : "+buffer);
              buffer.flip();               
              CharBuffer cb = dec.decode(buffer);          
              log("  CHARBUFFER : "+cb);
              String m = cb.toString();
              log("  MESSAGE : "+m);          
              log("*** end READ");
              //buffer.clear();
              return m;                    
         public static void write(String m, SocketChannel channel) throws IOException {          
              log("xxx start WRITE");          
              CharBuffer cb = CharBuffer.wrap(m);
              log("  CHARBUFFER : "+cb);          
              ByteBuffer  buffer = enc.encode(cb);
              log("  BUFFER ALLOUE REMPLI : "+buffer);
              int n;
              while(buffer.hasRemaining()) {
                   n = channel.write(buffer);                         
              System.out.println("  REMAINING : "+buffer.hasRemaining());
              log("xxx end WRITE");

    Here's the fix for that old problem. Change the work method to do the following
    - don't register interest in things that can't happen
    - when you connect register based on whether the connection is complete or pending.
    - add the OP_READ interest once the connection is complete.
    This doesn't fix all the other problems this code will have,
    eg.
    - what happens if a write is incomplete?
    - why does my code loop if I add OP_WRITE interest?
    - why does my interestOps or register method block?
    For code that answers all those questions see my obese post Taming the NIO Circus
    Here's the fixed up Client code
    // CLIENT
    package test
    import java.awt.event.KeyAdapter;
    import java.awt.event.KeyEvent;
    import java.awt.event.WindowAdapter;
    import java.awt.event.WindowEvent;
    import java.io.IOException;
    import java.net.InetSocketAddress;
    import java.nio.channels.SelectionKey;
    import java.nio.channels.Selector;
    import java.nio.channels.SocketChannel;
    import java.util.Iterator;
    import java.util.Set;
    import javax.swing.JFrame;
    import javax.swing.JScrollPane;
    import javax.swing.JTextArea;
    import javax.swing.JTextField;
    import javax.swing.SwingUtilities;
    public class Client extends JFrame  {
         private String host = "localhost";
         private int port = 5001;
         private SocketChannel socketChannel;
         private Selector selector;
         public void work() {
              try {
                   socketChannel = SocketChannel.open();
                   socketChannel.configureBlocking(false);
                   InetSocketAddress isa = new InetSocketAddress(host, port);
                   socketChannel.connect(isa);
                   selector = Selector.open();
                   int interest = 0;
                   if(socketChannel.isConnected())interest = SelectionKey.OP_READ;
                   else if(socketChannel.isConnectionPending())interest = SelectionKey.OP_CONNECT;
                   socketChannel.register(selector, interest);
                   while(true)
                        int nn = selector.select();
                        System.out.println("nn="+nn);
                        Set keys = selector.selectedKeys();
                        for(Iterator i = keys.iterator(); i.hasNext();)
                             SelectionKey key = (SelectionKey) i.next();
                             i.remove();
                             if (key.isConnectable())
                                  SocketChannel keyChannel = (SocketChannel) key.channel();
                                  System.out.println("Connected "+keyChannel.finishConnect());
                                  key.interestOps(SelectionKey.OP_READ);
                             if (key.isReadable())
                                  SocketChannel keyChannel = (SocketChannel) key.channel();
                                  String m = Help.read(keyChannel);
                                  display(m);
              } catch (IOException e) {
                   e.printStackTrace();
         private void display(final String m) {
              SwingUtilities.invokeLater(new Runnable() {
                   public void run() {
                        area.append(m+"\n");
                        textFieed.setText("");
         private void sendMessage(final String m) {
              Thread t = new Thread(new Runnable() {
                   public void run() {
                        try {
                             Help.write(m, socketChannel);
                        } catch (IOException e) {
                             e.printStackTrace();
              t.start();
         public Client() {
              addWindowListener(new WindowAdapter() {
                   public void windowClosing(WindowEvent e) {
                        System.exit(1);
              textFieed.addKeyListener(new KeyAdapter() {
                   public void keyPressed(KeyEvent e) {
                        if (e.getKeyCode()== KeyEvent.VK_ENTER) {
                             String m = textFieed.getText();
                             sendMessage(m);
              area.setEditable(false);
              getContentPane().add(textFieed, "North");
              getContentPane().add(new JScrollPane(area));
              setBounds(200, 200, 400, 300);
              show();
         private String messageToSend;
         private JTextArea area = new JTextArea();
         JTextField textFieed = new JTextField();
         public static void main(String[] args) {
              Client s = new Client();
              s.work();

  • Can a method return a class ?

    hi,
    i have a simple question.
    can a method return class value ?
    in the below script i did'nt understand the commented line.
    package com.google.gwt.sample.stockwatcher.client;
    import com.google.gwt.user.client.rpc.RemoteService;
    import com.google.gwt.user.client.rpc.RemoteServiceRelativePath;
    @RemoteServiceRelativePath("login")
    public interface LoginService extends RemoteService {
      public LoginInfo login(String requestUri);  //What is this ? is this a sample of what i asked ?
    }

    The answer to your question is yes.
    The idea is that an object calls a function of another object (passing in objects to the function as arguments) in which that object returns an object (note the arguments or returned value of the function may alternately be primitive types). Each object typically encapsulates data and provides a rich set of functions to the calling object so that calling object doesn't have to deal with the raw data directly. Therefore, not only does the calling object get the data it wants, but also a rich set of functions that can manipulate that data.
    Example:
    Book book = new Book();
    int characterCount = book.getChapter(3).getParagraph(4).getSentence(12).getWord(8).getCharacterCount();
    In the above, each object (Book, Chapter,Paragraph,Sentence,Word) has a rich set of functions it provides to its caller.
    Example: the Sentence Object has a collection of word objects (raw data). Functions it provides to Paragraph object are:
    Word getWord(int index), Words getWords(), int getWordCount().
    If you haven't already done so, I suggest reading a book on Java from cover to cover to pick up such Object Oriented concepts.

  • How to map AM method return values in the bean

    Hello -
    I have this requirement to map AM method return values in the bean as explained below. Please suggest a solution.
    Scenario: I am calling an AM method, which returns a String object on page load.
    AMImpl Method-
    public String getProfileName (){
    return "Profile";
    I wish to catch this retun value in the Bean Variable on page Load. I have created a methodAction biding on page and invokeAction to call this method on Page Load, but I don't know how to catch this value in the bean. Please suggest how to achieve this. Also, I need to achieve this in jsp page. I can't use TaskFlow for this.
    I am using ADF 11g.
    Regards -
    Rohit
    Edited by: Rohit Makkad on Apr 21, 2010 12:23 AM

    Hi, I think there are two ways, from the data control drag n drop the methods return value to the page. This way a binding for that will be created at the page definition eg retVal.
    and in the backing bean you can access it by calling resolveExpression("#{bindings.retVal.inputValue}")
    You can also call your method directly from the backbean
    ((YourAppModuleImpl) getBindings().getDataControl().getApplicationModule()).yourMethod();
    public DCBindingContainer getBindings() {
    return (DCBindingContainer) resolveExpression("#{bindings}");
    I dont know if the second method suits you
    Tilemahos

  • Unable to call exported client methods of EJB session bean remote interface

    I am unable to call client methods of a BC4J application module deployed as a Session EJB to Oracle 8i at the client side of my multi-tier application. There is no documentation, and I am unable to understand how I should do it.
    A business components project has been created. For instance, its application module is called BestdataModule. A few custom methods have been added to BestdataModuleImpl.java file, for instance:
    public void doNothingNoArgs() {
    public void doNothingOneArg(String astr) {
    public void setCertificate(String userName, String userPassword) {
    theCertificate = new Certificate(userName, userPassword);
    public String getPermission() {
    if (theCertificate != null)
    {if (theCertificate.getPermission())
    {return("Yes");
    else return("No, expired");
    else return("No, absent");
    theCertificate being a protected class variable and Certificate being a class, etc.
    The application module has been tested in the local mode, made remotable to be deployed as EJB session bean, methods to appear at the client side have been selected. The application module has been successfully deployed to Oracle 8.1.7 and tested in the remote mode. A custom library containing BestdataModuleEJBClient.jar and BestDataCommonEJB.jar has been created.
    Then I try to create a client basing on Example Oracle8i/EJB Client snippet:
    package bestclients;
    import java.lang.*;
    import java.sql.*;
    import java.util.*;
    import javax.naming.*;
    import oracle.aurora.jndi.sess_iiop.*;
    import oracle.jbo.*;
    import oracle.jbo.client.remote.ejb.*;
    import oracle.jbo.common.remote.*;
    import oracle.jbo.common.remote.ejb.*;
    import oracle.jdeveloper.html.*;
    import bestdata.client.ejb.*;
    import bestdata.common.ejb.*;
    import bestdata.common.*;
    import bestdata.client.ejb.BestdataModuleEJBClient;
    public class BestClients extends Object {
    static Hashtable env = new Hashtable(10);
    public static void main(String[] args) {
    String ejbUrl = "sess_iiop://localhost:2481:ORCL/test/TESTER/ejb/bestdata.BestdataModule";
    String username = "TESTER";
    String password = "TESTER";
    Hashtable environment = new Hashtable();
    environment.put(javax.naming.Context.URL_PKG_PREFIXES, "oracle.aurora.jndi");
    environment.put(Context.SECURITY_PRINCIPAL, username);
    environment.put(Context.SECURITY_CREDENTIALS, password);
    environment.put(Context.SECURITY_AUTHENTICATION, ServiceCtx.NON_SSL_LOGIN);
    BestdataModuleHome homeInterface = null;
    try {
    Context ic = new InitialContext(environment);
    homeInterface = (BestdataModuleHome)ic.lookup(ejbUrl);
    catch (ActivationException e) {
    System.out.println(e.getMessage());
    e.printStackTrace();
    System.exit(1);
    catch (CommunicationException e) {
    System.out.println(e.getMessage());
    e.printStackTrace();
    System.exit(1);
    catch (NamingException e) {
    System.out.println(e.getMessage());
    e.printStackTrace();
    System.exit(1);
    try {
    System.out.println("Creating a new EJB instance");
    RemoteBestdataModule remoteInterface = homeInterface.create();
    // Method calls go here!
    // e.g.
    // System.out.println(remoteInterface.foo());
    catch (Exception e) {
    System.out.println(e.getMessage());
    e.printStackTrace();
    It doesnt cause any errors. However, how must I call methods? The public interface RemoteBestdataModule has no such methods:
    void doNothingNoArgs();
    void doNothingOneArg(java.lang.String astr);
    void setCertificate(java.lang.String userName, java.lang.String userPassword);
    java.lang.String getPermission();
    Instead of that it has the following methods:
    oracle.jbo.common.remote.PiggybackReturn doNothingNoArgs(byte[] _pb) throws oracle.jbo.common.remote.ejb.RemoteJboException, java.rmi.RemoteException;
    oracle.jbo.common.remote.PiggybackReturn doNothingOneArg(byte[] _pb, java.lang.String astr) throws oracle.jbo.common.remote.ejb.RemoteJboException, java.rmi.RemoteException;
    oracle.jbo.common.remote.PiggybackReturn customQueryExec(byte[] _pb, java.lang.String aQuery) throws oracle.jbo.common.remote.ejb.RemoteJboException, java.rmi.RemoteException;
    oracle.jbo.common.remote.PiggybackReturn setCertificate(byte[] _pb, java.lang.String userName, java.lang.String userPassword) throws oracle.jbo.common.remote.ejb.RemoteJboException, java.rmi.RemoteException;
    oracle.jbo.common.remote.PiggybackReturn getPermission(byte[] _pb) throws oracle.jbo.common.remote.ejb.RemoteJboException, java.rmi.RemoteException;
    I cannot call those methods. I can see how they are called in BestdataModuleEJBClient.java file:
    public void doNothingNoArgs() throws oracle.jbo.JboException {
    try {
    oracle.jbo.common.remote.PiggybackReturn _pbRet = mRemoteAM.doNothingNoArgs(getPiggyback());
    processPiggyback(_pbRet.mPiggyback);
    if (_pbRet.isReturnStreamValid()) {
    return;
    catch (oracle.jbo.common.remote.ejb.RemoteJboException ex) {
    processRemoteJboException(ex);
    catch (java.rmi.RemoteException ex) {
    processRemoteJboException(ex);
    throw new oracle.jbo.JboException("Marshall error");
    However, I cannot call getPiggyback() function! It is a protected method, it is available to the class BestdataModuleEJBClient which extends EJBApplicationModuleImpl, but it is unavailable to my class BestClients which extends Object and is intended to extend oracle.jdeveloper.html.WebBeanImpl!
    It seems to me that I mustnt use RemoteBestdataModule interface directly. Instead of that I must use the public class BestdataModuleEJBClient that extends EJBApplicationModuleImpl and implements BestdataModule interface. It contains all methods required without additional arguments (see just above). However, how must I create an object of BestdataModuleEJBClient class? That is a puzzle. Besides my custom methods the class has only two methods:
    protected bestdata.common.ejb.RemoteBestdataModule mRemoteAM;
    /*This is the default constructor (do not remove)*/
    public BestdataModuleEJBClient(RemoteApplicationModule remoteAM) {
    super(remoteAM);
    mRemoteAM = (bestdata.common.ejb.RemoteBestdataModule)remoteAM;
    public bestdata.common.ejb.RemoteBestdataModule getRemoteBestdataModule() {
    return mRemoteAM;
    It looks like the remote application module must already exist! In despair I tried to put down something of the kind at the client side:
    RemoteBestdataModule remoteInterface = homeInterface.create();
    BestdataModuleEJBClient dm = new BestdataModuleEJBClient(remoteInterface);
    dm.doNothingNoArgs();
    Of course, it results in an error.
    System Output: null
    System Error: java.lang.NullPointerException
    System Error: oracle.jbo.common.PiggybackOutput oracle.jbo.client.remote.ApplicationModuleImpl.getPiggyForRemovedObjects(oracle.jbo.common.PiggybackOutput) (ApplicationModuleImpl.java:3017)
    System Error: byte[] oracle.jbo.client.remote.ApplicationModuleImpl.getPiggyfront(boolea
    System Error: n) (ApplicationModuleImpl.java:3059)
    System Error: byte[] oracle.jbo.client.remote.ApplicationModuleImpl.getPiggyback() (ApplicationModuleImpl.java:3195)
    System Error: void bestdata.client.ejb.BestdataModuleEJBClient.doNothingNoArgs() (BestdataModuleEJBClient.java:33)
    System Error: void bes
    System Error: tclients.BestClients.main(java.lang.String[]) (BestClients.java:76)
    I have studied a lot of documents in vain. I have found only various senseless discourses:
    "Use the Application Module Wizard to make the Application Module remotable and export the method. This will generate an interface for HrAppmodule (HrAppmodule.java in the Common package) which contains the signature for the exported method promoteAllEmps(). Then, deploy the Application Module. Once the Application Module has been deployed, you can use the promoteAllEmps() method in your client-side programs. Calls to the promoteAllEmps() method in client-side programs will result in calls to the promote() method in the application tier."
    However, I have failed to find a single line of code explaining how it should be called.
    Can anybody help me?
    Best regards,
    Svyatoslav Konovaltsev,
    [email protected]
    null

    Dear Steven,
    1. Thank you very much. It seems to me that the problem is solved.
    2. "I logged into Metalink but it wants me to put in both a tar number and a country name to see your issue." It was the United Kingdom, neither the US nor Russia if you mean my issue.
    I reproduce the text to be written by everyone who encounters the same problem:
    package bestclients;
    import java.util.Hashtable;
    import javax.naming.*;
    import oracle.jbo.*;
    public class BestdataHelper {
    public static ApplicationModule createEJB()
    throws ApplicationModuleCreateException {
    ApplicationModule applicationModule = null;
    try {
    Hashtable environment = new Hashtable(8);
    environment.put(Context.INITIAL_CONTEXT_FACTORY, JboContext.JBO_CONTEXT_FACTORY);
    environment.put(JboContext.DEPLOY_PLATFORM, JboContext.PLATFORM_EJB);
    environment.put(Context.SECURITY_PRINCIPAL, "TESTER");
    environment.put(Context.SECURITY_CREDENTIALS, "TESTER");
    environment.put(JboContext.HOST_NAME, "localhost");
    environment.put(JboContext.CONNECTION_PORT, new Integer("2481"));
    environment.put(JboContext.ORACLE_SID, "ORCL");
    environment.put(JboContext.APPLICATION_PATH, "/test/TESTER/ejb");
    Context ic = new InitialContext(environment);
    ApplicationModuleHome home = (ApplicationModuleHome)ic.lookup("bestdata.BestdataModule");
    applicationModule = home.create();
    applicationModule.getTransaction().connect("jdbc:oracle:kprb:@");
    applicationModule.setSyncMode(ApplicationModule.SYNC_IMMEDIATE);
    catch (NamingException namingException) {
    throw new ApplicationModuleCreateException(namingException);
    return applicationModule;
    package bestclients;
    import bestdata.common.*;
    import certificate.*;
    public class BestClients extends Object {
    public static void main(String[] args) {
    BestdataModule bestdataModule = (BestdataModule)BestdataHelper.createEJB();
    Certificate aCertificate = new Certificate("TESTER", "TESTER");
    //calling a custom method!!
    bestdataModule.passCertificate(aCertificate);
    Thank you very much,
    Best regards,
    Svyatoslav Konovaltsev.
    [email protected]
    null

  • JDeveloper OC4J - client method calls

    I am having trouble in getting result while I was calling a clientt method in OC4J.
    The SQL query used was not fetching results. when I run the query in a SQL developer it is working fine.
    Showing no error but not bringing any results.
    The client method is:
    public KanbanSupplierViewRow findBySupIdMinNMax(long idl, long idu){   
    setWhereClauseParam(0,new Long(idl));
    setWhereClauseParam(1,new Long(idu));
    executeQuery();
    return (KanbanSupplierViewRow) first();
    ----------------------------------------------------Please see the message out put from debugging mode
    [3227] ViewObject : Created new QUERY statement
    [3228] select supplier_id,
    supplier_number,
    supplier_name,
    created_by,
    creation_date,
    last_updated_by,
    last_update_date
    from ( select a.supplier_id,
    a.supplier_number,
    a.supplier_name,
    a.created_by,
    a.creation_date,
    a.last_updated_by,
    a.last_update_date,
    rownum r from ( select * from ekb_suppliers order by supplier_number) a where rownum < :2 ) where r > :1
    [3229] Binding param 1: 1
    [3230] Binding param 2: 101
    2005-07-14 14:21:00,375 DEBUG [KanbanSupplierAction_db]
    Result Null

    Test

  • Using nio, read method return 0 when readable key was selected.

    I'm so sorry for my ugly English. -_-;;
    Our server(that was designed by me).
    read method return 0 continuously. when readble key was selected.
    So the code fallen into infinite loop. and the server was hanged.
    How can i solve this problem?

    Best to eliminate the most obvious possibilities first. Next question is which JDK are you using? There were bugs in this area in 1.4.0 and 1.4.1.

  • Possible bug with Pick flag and Collections

    Odd behaviours in v3.3  (Windows) with pick flags in Collections:
    Create (or use) a Collection Set which contains a number of different collections
    Assign Pick plag to one photo in each collection
    Bug 1: Highlight Collection Set and note that none of the images shows the Pick Flag in the thumbnail view. Also Filtering this view with Pick flag fails to pick up the Flagged images
    Now return to one of the Collections within the Set and create a Virtual Copy of one of the images that has a Pick flag. (Note virtual copy does not have a flag - which seems logical). Return to Collection Set and (Bug 2) note that Pick flag has disappeared from original image and now appears on Virtual copy.
    Something wrong here somewhere I suspect.

    lightshop wrote:
    Odd behaviours in v3.3  (Windows) with pick flags in Collections:
    Create (or use) a Collection Set which contains a number of different collections
    Assign Pick plag to one photo in each collection
    Bug 1: Highlight Collection Set and note that none of the images shows the Pick Flag in the thumbnail view. Also Filtering this view with Pick flag fails to pick up the Flagged images
    Now return to one of the Collections within the Set and create a Virtual Copy of one of the images that has a Pick flag. (Note virtual copy does not have a flag - which seems logical). Return to Collection Set and (Bug 2) note that Pick flag has disappeared from original image and now appears on Virtual copy.
    Something wrong here somewhere I suspect.
    I could partially repeat bug 2.
    I have Collection Set (Test) which contain to collections: "Collection 1" and "Collection 2". Both Collections contain 4 images.
    I selected "Collection 1" and applied Pick flag to all those images. When I select Test (Collection Set) I got 8 images shown,  which none had flags. Ok, this works as expected. I selected "Collection 1" and then selected 1 image and made Virtual copy from it. Lr show me now 4 images with Flag and 1 virtual copy without. Again, works as expected. I now select Test (Collection Set) and I get 9 images (as expected), but one of them, the virtual copy, has pick flag applied. Not as expected. If I go back to "Collection 1" I get four images with Pick flags and one virtual copy without. (as expected.)

  • Was the Method of Collection for Skype Premium a S...

    I have been a user of Skype since 2011, and have used it for single user to single user video conference calls only. In other words, I have never engaged in a group conference call, not ever.
    Approximately 1.5 years ago, Skype repeatedly interfered with one of my single user to single user conference calls. A message was presented, and I'm paraphrasing... You must upgrade to Skype Premium to continue with this group call.
    Group call. What group call? I had a client on the video conference, was embarrassed by the interruption, and agreed to pay to continue to keep the video conference going. Upon entering payment information, another window appeared, interfering yet further with my video conference. This second window required me to register for free long distance to a foreign country. As a matter of fact, I could NOT continue with the video conference until I acquiesced to the demand of the prompt. Reluctantly, I selected the UK plan.
    Today, 22 May 2014, I was refunded the most recent charge on my credit card via Skype, and was told to contact customer support for an explanation. Yep, just as easy as getting President Obama on the phone.
    After initiating chat support lasting for one hour, I was infomed that single user to single user video conferencing was, is now, and always will be FREE. I inquired as to the nature of the $120 per year charge for the past 1.5 years, and was told by Kristina G. the charges were for the UK calling plan. When I told her that I knew no one in the UK, nor did I ever place or need to place a call in the UK, she became rather annoyed.
    I still don't know with certainty what happened, however here is my PERCEPTION [noun] the act or faculty of perceiving, or apprehending ​by means of the senses or of the mind; cognition; ​understanding.
    Due to a system glitch or clear intent, Skype allegedly halted the FREE service of users making frequent single user to single user video calls, insisting that such users pay for Skype Premium to permit them to continue using the FREE service. This was allegedly done under the guise of enabling multi-user conference calls when no such calls were being made. To cover their tracks, Skype allegedly offered a free foreign calling plan to any/all users having registered for Skpe Premium.
    Once caught in the act of alleged fraud, Skype refunded the most recent payment for Skype Premium, allegedly figuring that such a refund would thrill allegedly scammed users, and thereby prevent inquiries into previous service paid for.
    What I perceive is irrelevant. What you perceive after reading the transcript is all that is relevant. Did or did not Skpe engage in alleged fraudulent methods of collecting fees from people under the guise of alleged alternative service they would never use?
    Due to 20,000 character limit, I'm unable to post the juicy transcript supporting this perception.

    Norman,
    All my software is updated the very day each new patch or update is released. Having a Ph.D. and a J.D. whilst teaching and conducting research at a major university, I am aware of the importance of updating systems and software.
    Updates are most certainly not part of this problem.
    Please let me pose a hypothetical scenario to you.
    Let's presume you've purchased software you saw advertised on the internet wherein clear and unambiguous claims were made. Once you paid for and installed the software, you're greeted with a message indicating you must pay a 20-fold upgrade fee to use the features. You're facing a deadline. What do you do? The upgrade was not part of the advert for the product, yet you will not be permitted to use the product until you pay the fee.
    This is the problem, and everyone knows it. Skype is in error here. They never presented me with the choice of paying for a long distance plan for a fee. Rather they demanded that I pay to upgrade to Skype Premium if I wished to continue with my << free >> single-Skype-user to single-Skype-user video conference. Once I paid the "ransom," they offered me a complimentary long distance plan however offered me no choice in selecting it.
    Back where I earned my Ph.D., we call that extortion, and it's never legal.
    Dr. Esq

  • WL-Proxy-Client-IP returns localhost IP address

    Hello, everyone.
    I am trying to find out client' IP address. Both request.getRemoteAddr() and
    request.getHeader("WL-Proxy-Client-IP") return the value of the localhost IP address
    127.0.0.1
    Have anyone seen such behavior?
    Gela

    Hi, Andy. Please excuse my ignorance, I am very new at this ME embedded stuff. I had my challenges, but was finally able to get my board up with a static address. I went through a lot of headaches, but finally got the board flashed with the latest bin. I then updated the jwc_properties.ini file on the SD card to include:
    # Whether static configuration or DHCP server is used do get IP address. Possible values: dhcp,static
    ip.method = static
    # IP address,used with static IP configuration only
    ip.addr = 192.168.0.30
    # Network mask,used with static IP configuration only
    ip.netmask = 255.255.255.0
    # Network gateway,used with static IP configuration only
    ip.gateway = 192.168.0.1
    # DNS server,used with static IP configuration only
    ip.dns = 208.67.222.222
    # MAC address
    mac.addr = 01:02:03:04:05:06
    I was then put the card into the board, disconnected both USB cables, and then powered it up. From that point I was able to ping the board. I can now use Device Manager in NetBeans to connect to the device.
    I am struggling quite a bit with many issues. It seems that when I try to stop the app from NetBeans, the "please wait" dialog hangs forever. I have to use Windows Task Manager to kill the "JavaW" process tree and reconnect the board.
    I have also had trouble understanding the GPIO pin assignments. Another gotcha was trying to use the AutoStart feature. Since the sample app never cleanly exited, I thought that I bricked the board. The secret is to power it down, remove the SD card, and then delete all files EXCEPT the jwc_properties.ini file, put the SD card back in, then power up. It seems that the board forgets that the MIDlet was installed.
    Hope this helps others out there.
    Please everybody, post your experiences here. There seem to be very few of us, and finding pearls in the dust is rare right now.
    Regards,
    Pete

  • Rcp server not working: BUG IN CLIENT OF LIBDISPATCH:

    I have started rsh service in my mac server. i able to rsh my mac server from other systems. But unable to rcp.
    When i try to rcp from some other system, i get below crash report
    ####################################3
    Process:         rshd [46650]
    Path:            /usr/libexec/rshd
    Identifier:      rshd
    Version:         ??? (???)
    Code Type:       X86-64 (Native)
    Parent Process:  launchproxy [46649]
    Date/Time:       2011-08-26 20:57:33.892 +0530
    OS Version:      Mac OS X Server 10.6.8 (10K549)
    Report Version:  6
    Exception Type:  EXC_BAD_INSTRUCTION (SIGILL)
    Exception Codes: 0x0000000000000001, 0x0000000000000000
    Crashed Thread:  1  Dispatch queue: com.apple.libdispatch-manager
    Application Specific Information:
    BUG IN CLIENT OF LIBDISPATCH: Do not close random Unix descriptors
    Thread 0:  Dispatch queue: com.apple.main-thread
    0   libSystem.B.dylib                   0x00007fff825ebd7a mach_msg_trap + 10
    1   libSystem.B.dylib                   0x00007fff825ec3ed mach_msg + 59
    2   libSystem.B.dylib                   0x00007fff826015ba libinfoDSmig_Query + 255
    3   libSystem.B.dylib                   0x00007fff826012c6 LI_DSLookupQuery + 373
    4   libSystem.B.dylib                   0x00007fff82600c0e ds_item + 106
    5   libSystem.B.dylib                   0x00007fff8266f072 ds_user_byname + 84
    6   libSystem.B.dylib                   0x00007fff8266f22d ds_grouplist + 51
    7   libSystem.B.dylib                   0x00007fff8262e295 search_item_byname + 98
    8   libSystem.B.dylib                   0x00007fff8266f0f4 getgrouplist + 100
    9   libSystem.B.dylib                   0x00007fff82670301 initgroups + 98
    10  rshd                                0x000000010000211c 0x100000000 + 8476
    11  rshd                                0x000000010000257d 0x100000000 + 9597
    12  rshd                                0x00000001000011f8 0x100000000 + 4600
    Thread 1 Crashed:  Dispatch queue: com.apple.libdispatch-manager
    0   libSystem.B.dylib                   0x00007fff82606d30 _dispatch_mgr_invoke + 749
    1   libSystem.B.dylib                   0x00007fff826067b4 _dispatch_queue_invoke + 185
    2   libSystem.B.dylib                   0x00007fff826062de _dispatch_worker_thread2 + 252
    3   libSystem.B.dylib                   0x00007fff82605c08 _pthread_wqthread + 353
    4   libSystem.B.dylib    
    Binary Images:
           0x100000000 -        0x100002fff  rshd ??? (???) <7D31CFA1-2F76-EADB-375E-9C140856CFF8> /usr/libexec/rshd
           0x10007b000 -        0x10007bfff  pam_permit.so.2 ??? (???) <4F849A0B-87FF-B5BF-0B7C-893FE6766CF4> /usr/lib/pam/pam_permit.so.2
           0x10007e000 -        0x10007eff7  pam_nologin.so.2 ??? (???) <BF6D2BD6-0169-82FE-B0F5-9CDE89AB7E10> /usr/lib/pam/pam_nologin.so.2
           0x100082000 -        0x100083fff  pam_opendirectory.so.2 ??? (???) <EC4F785D-3B90-9237-41BF-09C9C342C62D> /usr/lib/pam/pam_opendirectory.so.2
           0x100087000 -        0x100087fff  pam_launchd.so.2 ??? (???) <DFD5667B-9357-7A92-2620-CD38F9E4BA2E> /usr/lib/pam/pam_launchd.so.2
           0x10008b000 -        0x10008bfff  pam_deny.so.2 ??? (???) <8EA7FE92-578C-21D4-2621-D58E468879EA> /usr/lib/pam/pam_deny.so.2
        0x7fff5fc00000 -     0x7fff5fc3be0f  dyld 132.1 (???) <29DECB19-0193-2575-D838-CF743F0400B2> /usr/lib/dyld
        0x7fff80003000 -     0x7fff800a3fff  com.apple.LaunchServices 362.3 (362.3) <B90B7C31-FEF8-3C26-BFB3-D8A48BD2C0DA> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/LaunchS ervices.framework/Versions/A/LaunchServices
        0x7fff80122000 -     0x7fff8014dff7  libxslt.1.dylib 3.24.0 (compatibility 3.0.0) <8AB4CA9E-435A-33DA-7041-904BA7FA11D5> /usr/lib/libxslt.1.dylib
        0x7fff80ac3000 -     0x7fff80bdafef  libxml2.2.dylib 10.3.0 (compatibility 10.0.0) <1B27AFDD-DF87-2009-170E-C129E1572E8B> /usr/lib/libxml2.2.dylib
        0x7fff80d30000 -     0x7fff80d42fe7  libsasl2.2.dylib 3.15.0 (compatibility 3.0.0) <76B83C8D-8EFE-4467-0F75-275648AFED97> /usr/lib/libsasl2.2.dylib
        0x7fff80de5000 -     0x7fff80e34ff7  com.apple.DirectoryService.PasswordServerFramework 6.1 (6.1) <0731C40D-71EF-B417-C83B-54C3527A36EA> /System/Library/PrivateFrameworks/PasswordServer.framework/Versions/A/PasswordS erver
        0x7fff810ea000 -     0x7fff81100fef  libbsm.0.dylib ??? (???) <42D3023A-A1F7-4121-6417-FCC6B51B3E90> /usr/lib/libbsm.0.dylib
        0x7fff8116f000 -     0x7fff8117dff7  libkxld.dylib ??? (???) <8145A534-95CC-9F3C-B78B-AC9898F38C6F> /usr/lib/system/libkxld.dylib
        0x7fff8155f000 -     0x7fff815effff  com.apple.SearchKit 1.3.0 (1.3.0) <4175DC31-1506-228A-08FD-C704AC9DF642> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
        0x7fff81cf9000 -     0x7fff81da9fff  edu.mit.Kerberos 6.5.11 (6.5.11) <085D80F5-C9DC-E252-C21B-03295E660C91> /System/Library/Frameworks/Kerberos.framework/Versions/A/Kerberos
        0x7fff81daa000 -     0x7fff81dabff7  com.apple.TrustEvaluationAgent 1.1 (1) <5952A9FA-BC2B-16EF-91A7-43902A5C07B6> /System/Library/PrivateFrameworks/TrustEvaluationAgent.framework/Versions/A/Tru stEvaluationAgent
        0x7fff825d1000 -     0x7fff825eafff  com.apple.CFOpenDirectory 10.6 (10.6) <401557B1-C6D1-7E1A-0D7E-941715C37BFA> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/Frameworks/CFOpen Directory.framework/Versions/A/CFOpenDirectory
        0x7fff825eb000 -     0x7fff827acfef  libSystem.B.dylib 125.2.11 (compatibility 1.0.0) <9AB4F1D1-89DC-0E8A-DC8E-A4FE4D69DB69> /usr/lib/libSystem.B.dylib
        0x7fff82a63000 -     0x7fff82bdafe7  com.apple.CoreFoundation 6.6.5 (550.43) <31A1C118-AD96-0A11-8BDF-BD55B9940EDC> /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
        0x7fff8373a000 -     0x7fff83740ff7  com.apple.DiskArbitration 2.3 (2.3) <857F6E43-1EF4-7D53-351B-10DE0A8F992A> /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
                 0x00007fff82605aa5 start_wqthread + 13
    0x7fff8455a000 -     0x7fff8455ffff  libpam.2.dylib 3.0.0 (compatibility 3.0.0) <97F037FC-0CD8-D4B3-8133-7D7013791F86> /usr/lib/libpam.2.dylib
        0x7fff84560000 -     0x7fff845aaff7  com.apple.Metadata 10.6.3 (507.15) <2EF19055-D7AE-4D77-E589-7B71B0BC1E59> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
        0x7fff846b7000 -     0x7fff847d6fe7  libcrypto.0.9.8.dylib 0.9.8 (compatibility 0.9.8) <14115D29-432B-CF02-6B24-A60CC533A09E> /usr/lib/libcrypto.0.9.8.dylib
        0x7fff847d7000 -     0x7fff847f7ff7  com.apple.DirectoryService.Framework 3.6 (621.12) <A4685F06-5881-35F5-764D-C380304C1CE8> /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
        0x7fff847f8000 -     0x7fff84a7afe7  com.apple.Foundation 6.6.7 (751.62) <6F2A5BBF-6990-D561-2928-AD61E94036D9> /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
        0x7fff851f2000 -     0x7fff852c6fe7  com.apple.CFNetwork 454.12.4 (454.12.4) <C83E2BA1-1818-B3E8-5334-860AD21D1C80> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
        0x7fff852c7000 -     0x7fff852c7ff7  com.apple.CoreServices 44 (44) <DC7400FB-851E-7B8A-5BF6-6F50094302FB> /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
        0x7fff858ae000 -     0x7fff858e9fff  com.apple.AE 496.5 (496.5) <208DF391-4DE6-81ED-C697-14A2930D1BC6> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/AE.fram ework/Versions/A/AE
        0x7fff858ea000 -     0x7fff859a0ff7  libobjc.A.dylib 227.0.0 (compatibility 1.0.0) <03140531-3B2D-1EBA-DA7F-E12CC8F63969> /usr/lib/libobjc.A.dylib
        0x7fff859a1000 -     0x7fff85c2aff7  com.apple.security 6.1.2 (55002) <4419AFFC-DAE7-873E-6A7D-5C9A5A4497A6> /System/Library/Frameworks/Security.framework/Versions/A/Security
        0x7fff85c2b000 -     0x7fff85de9fff  libicucore.A.dylib 40.0.0 (compatibility 1.0.0) <4274FC73-A257-3A56-4293-5968F3428854> /usr/lib/libicucore.A.dylib
        0x7fff85dea000 -     0x7fff85e2bfff  com.apple.SystemConfiguration 1.10.8 (1.10.2) <78D48D27-A9C4-62CA-2803-D0BBED82855A> /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
        0x7fff85e2c000 -     0x7fff85e8cfe7  com.apple.framework.IOKit 2.0 (???) <4F071EF0-8260-01E9-C641-830E582FA416> /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
        0x7fff85fb0000 -     0x7fff85fd8fff  com.apple.DictionaryServices 1.1.2 (1.1.2) <E9269069-93FA-2B71-F9BA-FDDD23C4A65E> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Diction aryServices.framework/Versions/A/DictionaryServices
        0x7fff86159000 -     0x7fff8615dff7  libmathCommon.A.dylib 315.0.0 (compatibility 1.0.0) <95718673-FEEE-B6ED-B127-BCDBDB60D4E5> /usr/lib/system/libmathCommon.A.dylib
        0x7fff86552000 -     0x7fff8659efff  libauto.dylib ??? (???) <F7221B46-DC4F-3153-CE61-7F52C8C293CF> /usr/lib/libauto.dylib
        0x7fff8700f000 -     0x7fff87030fff  libresolv.9.dylib 41.0.0 (compatibility 1.0.0) <9F322F47-0584-CB7D-5B73-9EBD670851CD> /usr/lib/libresolv.9.dylib

    Did you ever find a fix for this problem.  I am seeing the same thing on 10.6 and 10.7.
    Thanks.
    -Scott

  • Cannot Install 11g 64 bit client on Windows 7 Professional 64 bit OS

    I am trying to install Oracle 11g 64 bit client on Windows 7 64 Bit Professional. I'm running setup as administrator and all prerequisites fail with Actual Value not Found Expected value not found. I select ignore and press next and the application just silently shuts down. Log is too big so here is an abbreviated log.
    Here is the installation log
    Thanks in advance!
    Using paramFile: C:\temp\win64_11gR2_client\client\install\oraparam.ini
    Checking monitor: must be configured to display at least 256 colors. Actual 4294967296 Passed
    INFO: Initial values of Setup Properties :
    PROPERTY VALUE
    COLLECTOR_IGNORE_CONFIGURATION false
    COLLECTOR_IGNORE_FAILURES false
    COLLECTOR_RESPONSE_FILE
    DECLINE_SECURITY_UPDATES false
    FROM_LOCATION C:\temp\win64_11gR2_client\client\install\../stage/produc
    ts.xml
    INSTALL_TYPE InstantClient
    MYORACLESUPPORT_PASSWORD Protected value, not to be logged
    MYORACLESUPPORT_USERNAME
    ORACLE_BASE
    ORACLE_HOME
    ORACLE_HOSTNAME xxx-xxxxxxx-xxx.xxx.xxxxxxx.xxx
    PROXY_HOST
    PROXY_PORT
    PROXY_PWD Protected value, not to be logged
    PROXY_USER
    SECURITY_UPDATES_VIA_MYORACLESUPPORT true
    SELECTED_LANGUAGES {"en"}
    oracle_install_LaunchNetCA false
    oracle_install_NoMigration true
    oracle_install_RACInstall false
    oracle_install_WindowsSystemDirectory
    oracle_install_client_OraMTSPortNumber 2030
    oracle_install_db_ConfigurationType
    oracle_install_db_InstallEdition EE
    oracle_install_db_InstallType
    INFO: Launching Oracle Client Installer
    INFO: Started executing the flow in INTERACTIVE mode
    INFO: Waiting for completion of background operations
    INFO: Finishing all forked tasks at state init
    INFO: Waiting for completion all forked tasks at state init
    INFO: All forked task are completed at state init
    INFO: Completed background operations
    INFO: Executing action at state init
    INFO: Completed executing action at state <init>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Moved to state <init>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Validating view at state <init>
    INFO: Completed validating view at state <init>
    INFO: Validating state <init>
    WARNING: Validation disabled for the state init
    INFO: Completed validating state <init>
    INFO: Verifying route success
    INFO: Get view named [InstallTypesUI]
    INFO: size estimation for InstantClientinstall is 199.0705451965332
    INFO: size estimation for Administratorinstall is 1068.0003070831299
    INFO: size estimation for Runtimeinstall is 751.6538038253784
    INFO: View for [InstallTypesUI] is oracle.install.ivw.client.view.InstallTypesGUI@94b318
    INFO: Initializing view <InstallTypesUI> at state <clientInstallType>
    INFO: InstallTypesPane installType is: InstantClient
    INFO: Completed initializing view <InstallTypesUI> at state <clientInstallType>
    INFO: Displaying view <InstallTypesUI> at state <clientInstallType>
    INFO: Completed displaying view <InstallTypesUI> at state <clientInstallType>
    INFO: Loading view <InstallTypesUI> at state <clientInstallType>
    INFO: Completed loading view <InstallTypesUI> at state <clientInstallType>
    INFO: Localizing view <InstallTypesUI> at state <clientInstallType>
    INFO: size estimation for InstantClientinstall is 199.0705451965332
    INFO: size estimation for Administratorinstall is 1068.0003070831299
    INFO: size estimation for Runtimeinstall is 751.6538038253784
    INFO: Completed localizing view <InstallTypesUI> at state <clientInstallType>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Executing action at state clientInstallType
    INFO: Completed executing action at state <clientInstallType>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Moved to state <clientInstallType>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Client Install Type set in InstallTypeUI is : Administrator
    INFO: Validating view at state <clientInstallType>
    INFO: Completed validating view at state <clientInstallType>
    INFO: Validating state <clientInstallType>
    WARNING: Validation disabled for the state clientInstallType
    INFO: Completed validating state <clientInstallType>
    INFO: In Transition of InstallTypesAction:
    INFO: Verifying route ic_no
    INFO: Get view named [ProductLanguageUI]
    INFO: View for [ProductLanguageUI] is oracle.install.ivw.common.view.ProductLanguageGUI@74d175ff
    INFO: Initializing view <ProductLanguageUI> at state <productLanguage>
    INFO: Completed initializing view <ProductLanguageUI> at state <productLanguage>
    INFO: Displaying view <ProductLanguageUI> at state <productLanguage>
    INFO: Fetching Available Languages...
    INFO: Completed displaying view <ProductLanguageUI> at state <productLanguage>
    INFO: Loading view <ProductLanguageUI> at state <productLanguage>
    INFO: Completed loading view <ProductLanguageUI> at state <productLanguage>
    INFO: Localizing view <ProductLanguageUI> at state <productLanguage>
    INFO: Completed localizing view <ProductLanguageUI> at state <productLanguage>
    INFO: Waiting for completion of background operations
    INFO: Finishing all forked tasks at state productLanguage
    INFO: Waiting for completion all forked tasks at state productLanguage
    INFO: All forked task are completed at state productLanguage
    INFO: Completed background operations
    INFO: Executing action at state productLanguage
    INFO: Completed executing action at state <productLanguage>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Moved to state <productLanguage>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: The languages in which the product will be installed are [en]
    INFO: Validating view at state <productLanguage>
    INFO: Completed validating view at state <productLanguage>
    INFO: Validating state <productLanguage>
    INFO: Using default Validator configured in the Action class oracle.install.ivw.common.action.ProductLanguageAction
    INFO: Completed validating state <productLanguage>
    INFO: Verifying route productlanguage_yes
    INFO: Get view named [InstallLocationUI]
    WARNING: Active Help Content for InstallLocationPane.cbxOracleBases do not exist. Error :Can't find resource for bundle oracle.install.ivw.client.resource.ContextualHelpResource, key InstallLocationPane.cbxOracleBases.conciseHelpText
    WARNING: Active Help Content for InstallLocationPane.cbxSoftwareLoc do not exist. Error :Can't find resource for bundle oracle.install.ivw.client.resource.ContextualHelpResource, key InstallLocationPane.cbxSoftwareLoc.conciseHelpText
    INFO: View for [InstallLocationUI] is oracle.install.ivw.client.view.InstallLocationGUI@3850620f
    INFO: Initializing view <InstallLocationUI> at state <getOracleHome>
    INFO: inventory location isC:\Program Files\Oracle\Inventory
    INFO: Completed initializing view <InstallLocationUI> at state <getOracleHome>
    INFO: Displaying view <InstallLocationUI> at state <getOracleHome>
    INFO: Completed displaying view <InstallLocationUI> at state <getOracleHome>
    INFO: Loading view <InstallLocationUI> at state <getOracleHome>
    INFO: Completed loading view <InstallLocationUI> at state <getOracleHome>
    INFO: Localizing view <InstallLocationUI> at state <getOracleHome>
    INFO: Completed localizing view <InstallLocationUI> at state <getOracleHome>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Executing action at state getOracleHome
    INFO: Completed executing action at state <getOracleHome>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Moved to state <getOracleHome>
    INFO: inventory location isC:\Program Files\Oracle\Inventory
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Validating view at state <getOracleHome>
    INFO: Completed validating view at state <getOracleHome>
    INFO: Validating state <getOracleHome>
    INFO: custom prereq file name: oracle.client_Administrator.xml
    INFO: refDataFile: C:\temp\win64_11gR2_client\client\stage\cvu\oracle.client_Administrator.xml
    INFO: isCustomRefDataFilePresent: false
    INFO: InstallAreaControl exists: false
    INFO: Checking:NEW_HOME
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:COMP
    INFO: Checking:ORCA_HOME
    INFO: Reading shiphome metadata from C:\temp\win64_11gR2_client\client\install\..\stage\shiphomeproperties.xml
    INFO: Loading beanstore from file:/C:/temp/win64_11gR2_client/client/install/../stage/shiphomeproperties.xml
    INFO: Translating external format into raw format
    INFO: Restoring class oracle.install.driver.oui.ShiphomeMetadata from file:/C:/temp/win64_11gR2_client/client/install/../stage/shiphomeproperties.xml
    INFO: inventory location isC:\Program Files\Oracle\Inventory
    INFO: inventory location isC:\Program Files\Oracle\Inventory
    INFO: size estimation for Administratorinstall is 1068.0003070831299
    INFO: PATH has :==>C:\Users\xxxxxxxx\AppData\Local\Temp\OraInstall2012-04-17_11-11-24AM\jdk\jre\bin;.;C:\windows\system32;C:\windows;C:\app\xxxxxxxx\Oracle\product\11.2.0\client_win32\bin;C:\windows\system32;C:\windows;C:\windows\System32\Wbem;C:\windows\System32\WindowsPowerShell\v1.0\;C:\Program Files (x86)\ATI Technologies\ATI.ACE\Core-Static;C:\Program Files (x86)\Common Files\Roxio Shared\DLLShared\;C:\Program Files (x86)\Common Files\Roxio Shared\OEM\DLLShared\;C:\Program Files (x86)\Common Files\Roxio Shared\OEM\DLLShared\;C:\Program Files (x86)\Common Files\Roxio Shared\OEM\12.0\DLLShared\;C:\Program Files (x86)\Roxio\OEM\AudioCore\;C:\Program Files\TortoiseSVN\bin;C:\Program Files (x86)\Microsoft SQL Server\80\Tools\Binn\;C:\Program Files\Microsoft SQL Server\90\Tools\binn\;C:\Program Files (x86)\Microsoft SQL Server\90\Tools\binn\;C:\Program Files (x86)\Microsoft SQL Server\90\DTS\Binn\;C:\Program Files (x86)\Microsoft SQL Server\90\Tools\Binn\VSShell\Common7\IDE\;C:\Program Files (x86)\Microsoft Visual Studio 8\Common7\IDE\PrivateAssemblies\;c:\Program Files\Microsoft SQL Server\90\DTS\Binn\
    INFO: Completed validating state <getOracleHome>
    INFO: InstallLocationAction to INVENTORY_NO
    INFO: Verifying route INVENTORY_NO
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Executing action at state prereqExecutionDecider
    INFO: Completed executing action at state <prereqExecutionDecider>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Moved to state <prereqExecutionDecider>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Validating view at state <prereqExecutionDecider>
    INFO: Completed validating view at state <prereqExecutionDecider>
    INFO: Validating state <prereqExecutionDecider>
    WARNING: Validation disabled for the state prereqExecutionDecider
    INFO: Completed validating state <prereqExecutionDecider>
    INFO: Verifying route executeprereqs
    INFO: Get view named [PrereqUI]
    INFO: View for [PrereqUI] is oracle.install.commons.base.interview.common.view.PrereqGUI@64d90254
    INFO: Initializing view <PrereqUI> at state <checkPrereqs>
    INFO: Completed initializing view <PrereqUI> at state <checkPrereqs>
    INFO: Displaying view <PrereqUI> at state <checkPrereqs>
    INFO: Completed displaying view <PrereqUI> at state <checkPrereqs>
    INFO: Loading view <PrereqUI> at state <checkPrereqs>
    INFO: Completed loading view <PrereqUI> at state <checkPrereqs>
    INFO: Localizing view <PrereqUI> at state <checkPrereqs>
    INFO: Completed localizing view <PrereqUI> at state <checkPrereqs>
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Executing action at state checkPrereqs
    INFO: custom prereq file name: oracle.client_Administrator.xml
    INFO: refDataFile: C:\temp\win64_11gR2_client\client\stage\cvu\oracle.client_Administrator.xml
    INFO: isCustomRefDataFilePresent: false
    INFO: Completed executing action at state <checkPrereqs>
    INFO: Waiting for completion of background operations
    INFO: Finishing all forked tasks at state checkPrereqs
    INFO: Waiting for completion all forked tasks at state checkPrereqs
    INFO: Creating PrereqChecker Job for leaf task Physical Memory
    INFO: Creating CompositePrereqChecker Job for container task Free Space
    INFO: Creating PrereqChecker Job for leaf task Free Space: xxx-xxxxxxx-xxx:C:\Users\xxxxxxxx\AppData\Local\Temp
    INFO: Creating PrereqChecker Job for leaf task Architecture
    INFO: Creating PrereqChecker Job for leaf task Environment variable: "PATH"
    INFO: CVU tracingEnabled = false
    INFO: Preparation of nodes for running verifications failed. Reason:
    - Cause Of Problem Not Available
    INFO: *********************************************
    INFO: Physical Memory: This is a prerequisite condition to test whether the system has at least 128MB (131072.0KB) of total physical memory.
    INFO: Severity:IGNORABLE
    INFO: OverallStatus:OPERATION_FAILED
    INFO: -----------------------------------------------
    INFO: Verification Result for Node:xxx-xxxxxxx-xxx
    WARNING: Result values are not available for this verification task
    INFO: *********************************************
    INFO: Free Space: xxx-xxxxxxx-xxx:C:\Users\xxxxxxxx\AppData\Local\Temp: This is a prerequisite condition to test whether sufficient free space is available in the file system.
    INFO: Severity:IGNORABLE
    INFO: OverallStatus:OPERATION_FAILED
    INFO: -----------------------------------------------
    INFO: Verification Result for Node:xxx-xxxxxxx-xxx
    WARNING: Result values are not available for this verification task
    INFO: Error Message:PRVF-4001 : Check: Space available on "C:\Users\xxxxxxxx\AppData\Local\Temp"
    INFO: Cause: Could not determine mount point for location specified.
    INFO: Action: Ensure location specified is available.
    INFO: *********************************************
    INFO: Architecture: This is a prerequisite condition to test whether the system has a certified architecture.
    INFO: Severity:CRITICAL
    INFO: OverallStatus:OPERATION_FAILED
    INFO: -----------------------------------------------
    INFO: Verification Result for Node:xxx-xxxxxxx-xxx
    WARNING: Result values are not available for this verification task
    INFO: *********************************************
    INFO: Environment variable: "PATH": This test checks whether the length of the environment variable "PATH" does not exceed the recommended length.
    INFO: Severity:CRITICAL
    INFO: OverallStatus:OPERATION_FAILED
    INFO: -----------------------------------------------
    INFO: Verification Result for Node:xxx-xxxxxxx-xxx
    WARNING: Result values are not available for this verification task
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: All forked task are completed at state checkPrereqs
    INFO: Completed background operations
    INFO: Moved to state <checkPrereqs>
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Expected value not found.
    INFO: Actual value not found.
    INFO: Waiting for completion of background operations
    INFO: Completed background operations
    INFO: Validating view at state <checkPrereqs>
    INFO: Completed validating view at state <checkPrereqs>
    INFO: Validating state <checkPrereqs>
    INFO: Using default Validator configured in the Action class oracle.install.ivw.client.action.PrereqAction
    INFO: Completed validating state <checkPrereqs>
    INFO: Verifying route success
    INFO: Get view named [SummaryUI]

    I disagree with your assessment, for two reasons.
    One is the severity for RAM is listed as Severity:IGNORABLE.
    Secondly I just saw this happen to myself just a moment ago (which is how I found this threat) as well using a silent install on a Windows 2008r2 server I can install to using the setup.exe manually. so disk and memory really isn't an issue.
    I suspect something else is going on here. If you read those warnings the Critical they are just the last two about disk space and the PATH variable. Perhaps I am not running as elevated as I thought or the C$ share is not reach able. I am going to keep trying and will report back here when I get my silent install working.
    INFO: Verification Result for Node:xxx-xxxxxxx-xxx
    WARNING: Result values are not available for this verification task
    INFO: Error Message:PRVF-4001 : Check: Space available on "C:\Users\xxxxxxxx\AppData\Local\Temp"
    INFO: Cause: Could not determine mount point for location specified.
    INFO: Action: Ensure location specified is available.
    INFO: *********************************************
    INFO: Architecture: This is a prerequisite condition to test whether the system has a certified architecture.
    INFO: Severity:CRITICAL
    INFO: OverallStatus:OPERATION_FAILED
    INFO:
    INFO: Verification Result for Node:xxx-xxxxxxx-xxx
    WARNING: Result values are not available for this verification task
    INFO: *********************************************
    INFO: Environment variable: "PATH": This test checks whether the length of the environment variable "PATH" does not exceed the recommended length.
    INFO: Severity:CRITICAL
    INFO: OverallStatus:OPERATION_FAILED
    INFO:

  • The class of the deferred-methods return type "{0}" can not be found.

    I am developing a multilingual portal application.
    I have the method that changes the locale based on user's choice in the bean and the method is being referred to as below.
    <af:selectOneChoice label="Select Language" autoSubmit="true"
    value="#{localeBean.locale}"
    valueChangeListener="localeBean.changeLocale">
    <af:selectItem label="English" value="en" id="si1"/>
    <af:selectItem label="French" value="fr" id="si2"/>
    <af:selectItem label="Dutch" value="nl" id="si3"/>
    </af:selectOneChoice>
    when i try to run the application, i am getting compile time errors as below,
    The class of the deferred-methods return type "{0}" can not be found.
    No property editor found for the bean "javax.el.MethodExpression".
    After going through the discussion forums i learned that the compilation errors can be resolved by setting the <jsp:directive.page deferredSyntaxAllowedAsLiteral="false> at the starting of the page.
    Even after that i am getting the compilation error.
    Any solutions, suggestions or possible approaches would be helpful as i am new to Webcenter Portal development.
    Thanks,

    The error you get points to a problem on the page (somewhere). Switch to source mode and check the right margin if you see orange or red marks. These are pointing to problems (not all are show stoppers, but they give you hints that something is not according to the standard for jsf, jsff, jsp or jspx pages.
    Have you checked that the bean is correctly defined and that it's reachable?
    Start a fresh page and isolate the problem, e.g. build a selectOneChoiuce on the new page (don't copy it as you might copy the error too) and make it work on the new page. Once you have it running you can compare the solution to your not running page.
    Timo

  • Custom Login Module - Commit Method return TRUE always?

    Hi,
    I am creating a custom login module for my portal authentication.
    For the login module, should the commit() method always return TRUE?
    The example code on help.sap.com indicates yes to this question.
    However, the JAVA Sun standard indicates that commit should return FALSE if the preceding login method returned FALSE.
    Does the SAP example stray from the SUN standard?  How should I code the commit() method such that it works (Always TRUE, or follow lead of login() method)?
    Regards,
    Kevin

    Hi Kevin,
    I'm actually working with this document: <a href="https://www.sdn.sap.comhttp://www.sdn.sap.comhttp://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sap.km.cm.docs/library/events/webinars/jaas%20login%20module%20development%20on%20webas%20java%20640.pdf#search=%22classloader%20sda%20jar%20reference%22">JAAS Login Modules</a>.
    There is also example code. If it should be ignored they return false, otherwise true (page 32).
    Regards,
    Marcus
    Message was edited by: Marcus Freiheit

Maybe you are looking for

  • BT openzone/fon and standby on the bt router 3.0

    Hi all so i turned off bt openzone and fon but turned it back on and now it does not show i have tried resetting and everything? and i put it on powersave and turned it off  but is still on thanks Alexander    Solved! Go to Solution.

  • Where did my bullets go in Keynote? And why am I missing files?

    I've been working on a Keynote presentation that will be exported as a PDF eBook. I opened it up today and I get error messages saying that I have missing files and my square "checkmark-less" bullets have disappeared. (See image below) I'm using the

  • How to track mrp profile change

    Hi,     Is there any possibilities to track who has done the MRP profile change.In mm02 its not in editable mode.when i check in MM04 for the particular material its showing lot many changes.so i couldnt figure out who has done. i want who has done t

  • Database Configuration Assistant for 8.1.61 and Red Hat 6.1

    This is my first install and I'm a little confused. Im installing Oracle Enterprise 8i release 2 (aka 8.1.6.1) on a Linux box (Red Hat 6.1). When Oracles Installer gets to the Database Configuration Assistant, it runs for awhile and then gives me thi

  • In trouble with photos on iPad, i now have 3 copies of everything ?

    hi all, i have today been getting a folder prepared on my MacBookPro, this folder consisting of about 10 folders all full of photos, i have gone through them all making sure there were NO  duplicates anywhere. i then Sync to iPad the contents of this