Web Access via a proxy server not working

We are developing an application on weblogic that needs to connect to the internet,
login and retrieve informatoin back into weblogic. We have a problem where this
works on a direct connection to the net, but via a proxy server we get:
<21-Aug-03 10:18:38 BST> <Info> <net> <000900> <Could not open connection
java.net.ConnectException: Operation timed out: connect
java.net.ConnectException: Operation timed out: connect
at java.net.PlainSocketImpl.socketConnect(Native Method)
at java.net.PlainSocketImpl.doConnect(PlainSocketImpl.java:350)
at java.net.PlainSocketImpl.connectToAddress(PlainSocketImpl.java:137)
at java.net.PlainSocketImpl.connect(PlainSocketImpl.java:124)
at java.net.Socket.<init>(Socket.java:268)
at java.net.Socket.<init>(Socket.java:122)
at weblogic.net.http.HttpClient.openServer(HttpClient.java:213)
at weblogic.net.http.HttpClient.openServer(HttpClient.java:274)
at weblogic.net.http.HttpClient.<init>(HttpClient.java:126)
at weblogic.net.http.HttpClient.New(HttpClient.java:168)
at weblogic.net.http.HttpURLConnection.connect(HttpURLConnection.java:11
1)
at weblogic.net.http.HttpURLConnection.getOutputStream(HttpURLConnection
.java:158)
at com.dnb.globalaccess.SSLConnection.<init>(SSLConnection.java:89)
at com.dnb.globalaccess.XmlHandler.run(XmlHandler.java:157)
>
Failed to login to D&B - com.dnb.globalaccess.ServerException
Does anyone have any idea's on what this is or means? Has anyone come accross
similar issues with proxy servers?

Thanks Criag.
For anyone else's reference, my odiparams.bat file now has a line something like:
set ODI_ADDITIONAL_JAVA_OPTIONS=-Dhttp.proxyHost=myproxyhost.com -Dhttp.proxyPort=proxyPortNumber -Dhttp.proxyUser=someUserName -Dhttp.proxyPassword=somePassword "-Dhttp.nonProxyHosts=127.0.0.1|someInternalHost.com"
Note the -Dhttp.nonProxyHosts (which is the proxy exceptions list) is in quotes to escape the pipe character (for windows at least).
Also, check out: [http://java.sun.com/j2se/1.4.2/docs/guide/net/properties.html]
Matt

Similar Messages

  • Web access to ip phones is not working although it is enabled on CUCM

    Dear All,
    i enable web access for ip phone ,but still not able to access the phones through web.
    Regardsm
    Moath

    What call manager version are you using?  If you're on 8.x there is security by default and if you're on an older version it's possible you have security enabled (CTL files) which would be causing your phone not to trust it's TFTP configuration file, which is where the web access setting is passed to the phone.  If you look at Settings > Status Messages on the phone do you see anything such as trust list update failed?  If you see that it's likely an ITL file issue.  If you go into Settings > Security, and delete the ITL from the phone it will download a new one automatically from your TFTP server.  Once the ITL is correct the phone should trust the TFTP configuration file and update the web access setting on the phone.

  • Proxy Server not working

    Am trying to make my program run such as :
    Client request Proxy
    Proxy Forward to server
    Server Respond back to Proxy
    Proxy Forward back to Client
    but am getting :
    Exception creating new Input/output Streams: java.net.SocketException: Connection reset
    CLIENT SIDE
    //The server waits for connection and starts a thread when there is a connection request from a client. The server receives a String from the client and returns it to the client in uppercase.
    import java.net.*;
    import java.io.*;
    public class Client {
         public static void main(String[] arg) {
         ObjectInputStream Sinput;          // to read the socker
         ObjectOutputStream Soutput;     // towrite on the socket
         Socket socket;
         // Constructor connection receiving a socket number
              // we use "localhost" as host name, the server is on the same machine
              // but you can put the "real" server name or IP address
              try {
                   socket = new Socket("localhost", 6000);
              catch(Exception e) {
                   System.out.println("Error connectiong to server:" + e);
                   return;
              System.out.println("Connection accepted " +
                        socket.getInetAddress() + ":" +
                        socket.getPort());
              while(true){
              /* Creating both Data Stream */
              try
                   Sinput = new ObjectInputStream(socket.getInputStream());
                   Soutput = new ObjectOutputStream(socket.getOutputStream());
              catch (IOException e) {
                   System.out.println("Exception creating new Input/output Streams: " + e);
                   return;
              // now that I have my connection
              String test = "gdfgfdgdf";
              // send the string to the server
              System.out.println("Client sending \"" + test + "\" to serveur");
              try {
                   Soutput.writeObject(test);
                   Soutput.flush();
              catch(IOException e) {
                   System.out.println("Error writting to the socket: " + e);
                   return;
              // read back the answer from the server
              String response;
              try {
                   response = (String) Sinput.readObject();
                   System.out.println("Read back from server: " + response);
              catch(Exception e) {
                   System.out.println("Problem reading back from server: " + e);
              try{
                   Sinput.close();
                   Soutput.close();
              catch(Exception e) {}
    Server Side
    //The server code Server.java:
    import java.io.*;
    import java.net.*;
    * the client send a String to the server the server returns it in UPPERCASE thats all
    public class Server {
         // the socket used by the server
    //     private ServerSocket serverSocket;
         public static void main(String[] arg) {
              // start server on port 1500
              //Socket socket;
              ObjectInputStream Sinput;
              ObjectOutputStream Soutput;
         // server constructor
              /* create socket server and wait for connection requests */
              try
                   ServerSocket serverSocket = new ServerSocket(6500);
                   System.out.println("Server waiting for client on port " + serverSocket.getLocalPort());
                   while(true)
                        Socket server = serverSocket.accept(); // accept connection
                        System.out.println("Proxy and server connected");
                        try
                             // create output first
                             Soutput = new ObjectOutputStream(server.getOutputStream());
                             Soutput.flush();
                             Sinput = new ObjectInputStream(server.getInputStream());
                        catch (IOException e) {
                             System.out.println("Exception creating new Input/output Streams: " + e);
                             return;
                        // read a String (which is an object)
                        try {
                             String str = (String) Sinput.readObject();
                             str = str.toUpperCase();
                             Soutput.writeObject(str);
                             Soutput.flush();
                        catch (IOException e) {
                             System.out.println("Exception reading/writing Streams: " + e);
                             return;                    
                        // will surely not happen with a String
                        catch (ClassNotFoundException o) {                    
                        finally {
                             try {
                                  Soutput.close();
                                  Sinput.close();
                             catch (Exception e) {                         
              catch (IOException e) {
                   System.out.println("Exception on new ServerSocket: " + e);
    Proxy Side
    import java.io.*;
    import java.net.*;
    public class Proxy{
    //public static ServerSocket server = null;
    //public static Socket client = null;
    public static void main(String[] args) throws ClassNotFoundException
    try
    ServerSocket server = new ServerSocket(6000);
    // Socket clientsocket = null;
    while(true)
    Socket client = server.accept();
    final ObjectOutputStream Soutput = new ObjectOutputStream(client.getOutputStream());
              Soutput.flush();
    final ObjectInputStream Sinput = new ObjectInputStream(client.getInputStream());
         // Get server streams.
         Socket clientsocket=new Socket(InetAddress.getLocalHost(),6500);
    final ObjectInputStream SinputServer = (ObjectInputStream) clientsocket.getInputStream();
    final ObjectOutputStream SoutputServer = (ObjectOutputStream) clientsocket.getOutputStream();
    // a thread to read the client's requests and pass them
    // to the server. A separate thread for asynchronous.
    Thread t = new Thread() {
    public void run() {
    int response;
    try {
    response = Sinput.read();
    // while(response!=null){
    SoutputServer.writeObject(response);
    SoutputServer.flush();
    } catch (IOException e) {
    // the client closed the connection to us, so close our
    // connection to the server.
    try {
    SoutputServer.close();
    } catch (IOException e) {
    // Start the client-to-server request thread running
    t.start();
    // Read the server's responses
    // and pass them back to the client.
    String responseS;
    try {
    responseS = (String) SinputServer.readObject();
    // while(responseS!=null){
    Soutput.writeObject(responseS);
    Soutput.flush();
    } catch (IOException e) {
    // The server closed its connection to us, so we close our
    // connection to our client.
    Soutput.close();
    }catch (IOException e) {
    System.err.println(e);
    Edited by: 987216 on Feb 10, 2013 6:32 AM

    Am trying to make my program run such as :
    Client request Proxy
    Proxy Forward to server
    Server Respond back to Proxy
    Proxy Forward back to Client
    but am getting :
    Exception creating new Input/output Streams: java.net.SocketException: Connection reset
    CLIENT SIDE
    //The server waits for connection and starts a thread when there is a connection request from a client. The server receives a String from the client and returns it to the client in uppercase.
    import java.net.*;
    import java.io.*;
    public class Client {
         public static void main(String[] arg) {
         ObjectInputStream Sinput;          // to read the socker
         ObjectOutputStream Soutput;     // towrite on the socket
         Socket socket;
         // Constructor connection receiving a socket number
              // we use "localhost" as host name, the server is on the same machine
              // but you can put the "real" server name or IP address
              try {
                   socket = new Socket("localhost", 6000);
              catch(Exception e) {
                   System.out.println("Error connectiong to server:" + e);
                   return;
              System.out.println("Connection accepted " +
                        socket.getInetAddress() + ":" +
                        socket.getPort());
              while(true){
              /* Creating both Data Stream */
              try
                   Sinput = new ObjectInputStream(socket.getInputStream());
                   Soutput = new ObjectOutputStream(socket.getOutputStream());
              catch (IOException e) {
                   System.out.println("Exception creating new Input/output Streams: " + e);
                   return;
              // now that I have my connection
              String test = "gdfgfdgdf";
              // send the string to the server
              System.out.println("Client sending \"" + test + "\" to serveur");
              try {
                   Soutput.writeObject(test);
                   Soutput.flush();
              catch(IOException e) {
                   System.out.println("Error writting to the socket: " + e);
                   return;
              // read back the answer from the server
              String response;
              try {
                   response = (String) Sinput.readObject();
                   System.out.println("Read back from server: " + response);
              catch(Exception e) {
                   System.out.println("Problem reading back from server: " + e);
              try{
                   Sinput.close();
                   Soutput.close();
              catch(Exception e) {}
    Server Side
    //The server code Server.java:
    import java.io.*;
    import java.net.*;
    * the client send a String to the server the server returns it in UPPERCASE thats all
    public class Server {
         // the socket used by the server
    //     private ServerSocket serverSocket;
         public static void main(String[] arg) {
              // start server on port 1500
              //Socket socket;
              ObjectInputStream Sinput;
              ObjectOutputStream Soutput;
         // server constructor
              /* create socket server and wait for connection requests */
              try
                   ServerSocket serverSocket = new ServerSocket(6500);
                   System.out.println("Server waiting for client on port " + serverSocket.getLocalPort());
                   while(true)
                        Socket server = serverSocket.accept(); // accept connection
                        System.out.println("Proxy and server connected");
                        try
                             // create output first
                             Soutput = new ObjectOutputStream(server.getOutputStream());
                             Soutput.flush();
                             Sinput = new ObjectInputStream(server.getInputStream());
                        catch (IOException e) {
                             System.out.println("Exception creating new Input/output Streams: " + e);
                             return;
                        // read a String (which is an object)
                        try {
                             String str = (String) Sinput.readObject();
                             str = str.toUpperCase();
                             Soutput.writeObject(str);
                             Soutput.flush();
                        catch (IOException e) {
                             System.out.println("Exception reading/writing Streams: " + e);
                             return;                    
                        // will surely not happen with a String
                        catch (ClassNotFoundException o) {                    
                        finally {
                             try {
                                  Soutput.close();
                                  Sinput.close();
                             catch (Exception e) {                         
              catch (IOException e) {
                   System.out.println("Exception on new ServerSocket: " + e);
    Proxy Side
    import java.io.*;
    import java.net.*;
    public class Proxy{
    //public static ServerSocket server = null;
    //public static Socket client = null;
    public static void main(String[] args) throws ClassNotFoundException
    try
    ServerSocket server = new ServerSocket(6000);
    // Socket clientsocket = null;
    while(true)
    Socket client = server.accept();
    final ObjectOutputStream Soutput = new ObjectOutputStream(client.getOutputStream());
              Soutput.flush();
    final ObjectInputStream Sinput = new ObjectInputStream(client.getInputStream());
         // Get server streams.
         Socket clientsocket=new Socket(InetAddress.getLocalHost(),6500);
    final ObjectInputStream SinputServer = (ObjectInputStream) clientsocket.getInputStream();
    final ObjectOutputStream SoutputServer = (ObjectOutputStream) clientsocket.getOutputStream();
    // a thread to read the client's requests and pass them
    // to the server. A separate thread for asynchronous.
    Thread t = new Thread() {
    public void run() {
    int response;
    try {
    response = Sinput.read();
    // while(response!=null){
    SoutputServer.writeObject(response);
    SoutputServer.flush();
    } catch (IOException e) {
    // the client closed the connection to us, so close our
    // connection to the server.
    try {
    SoutputServer.close();
    } catch (IOException e) {
    // Start the client-to-server request thread running
    t.start();
    // Read the server's responses
    // and pass them back to the client.
    String responseS;
    try {
    responseS = (String) SinputServer.readObject();
    // while(responseS!=null){
    Soutput.writeObject(responseS);
    Soutput.flush();
    } catch (IOException e) {
    // The server closed its connection to us, so we close our
    // connection to our client.
    Soutput.close();
    }catch (IOException e) {
    System.err.println(e);
    Edited by: 987216 on Feb 10, 2013 6:32 AM

  • Printing via Network Printer Server not working

    I have three Macs on a local Network, PowerBook Pro, Mac Pro and Mac Mini.  Printing facilites are provided by an Epson printer connected to a Networked Print Server, both the PowerBook Pro and the Mac Pro print without any issues, However when i try to print from the MacMini i always get a communications error. I have another location where i have a similar set up and i get the same error at that location.
    The Print Servers and Mac's are connected to the network via Wireless, if i try to use Ethernet i get the same issues.
    Any ideas?
    Thanks
    John

    John... wrote:
    I have three Macs on a local Network, PowerBook Pro, Mac Pro and Mac Mini.  Printing facilites are provided by an Epson printer connected to a Networked Print Server, both the PowerBook Pro and the Mac Pro print without any issues, However when i try to print from the MacMini i always get a communications error.
    The Mini runs on Lion (10.7) and Lion want to have all network participants in the same local domain since Airdrop.
    Check that the printserver uses local as domain in the network settings instead of (as often preset) workgroup
    Lupunus

  • How to access Internet through proxy server

    Please help... I cannot get Internet access through a proxy server at work.

    Some things to try first:
    1. Turn Off your iPad. Then turn Off (disconnect power cord for 30 seconds or longer) the wireless router & then back On. Now boot your iPad. Hopefully it will see the WiFi.
    2. Go to Settings>Wi-Fi and turn Off. Then while at Settings>Wi-Fi, turn back On and chose a Network.
    3. Change the channel on your wireless router (Auto or Channel 6 is best). Instructions at http://macintoshhowto.com/advanced/how-to-get-a-good-range-on-your-wireless-netw ork.html
    4. Go into your router security settings and change from WEP to WPA with AES.
    5.  Renew IP Address: (especially if you are droping internet connection)
        •    Launch Settings app
        •    Tap on Wi-Fi
        •    Tap on the blue arrow of the Wi-Fi network that you connect to from the list
        •    In the window that opens, tap on the Renew Lease button
    ~~~~~~~~~~~~~~~~~~~~~~~~~
    iOS 6 Wifi Problems/Fixes
    Fix For iOS 6 WiFi Problems?
    http://tabletcrunch.com/2012/09/27/fix-ios-6-wifi-problems/
    Did iOS 6 Screw Your Wi-Fi? Here’s How to Fix It
    http://gizmodo.com/5944761/does-ios-6-have-a-wi+fi-bug
    How To Fix Wi-Fi Connectivity Issue After Upgrading To iOS 6
    http://www.iphonehacks.com/2012/09/fix-wi-fi-connectivity-issue-after-upgrading- to-ios-6.html
    iOS 6 iPad 3 wi-fi "connection fix" for netgear router
    http://www.youtube.com/watch?v=XsWS4ha-dn0
    Apple's iOS 6 Wi-Fi problems
    http://www.zdnet.com/apples-ios-6-wi-fi-problems-linger-on-7000004799/
    ~~~~~~~~~~~~~~~~~~~~~~~
    Look at iOS Troubleshooting Wi-Fi networks and connections  http://support.apple.com/kb/TS1398
    iPad: Issues connecting to Wi-Fi networks  http://support.apple.com/kb/ts3304
    WiFi Connecting/Troubleshooting http://www.apple.com/support/ipad/wifi/
    How to Fix: My iPad Won't Connect to WiFi
    http://ipad.about.com/od/iPad_Troubleshooting/ss/How-To-Fix-My-Ipad-Wont-Connect -To-Wi-Fi.htm
    iOS: Connecting to the Internet http://support.apple.com/kb/HT1695
    iOS: Recommended settings for Wi-Fi routers and access points  http://support.apple.com/kb/HT4199
    How to Quickly Fix iPad 3 Wi-Fi Reception Problems
    http://osxdaily.com/2012/03/21/fix-new-ipad-3-wi-fi-reception-problems/
    iPad Wi-Fi Problems: Comprehensive List of Fixes
    http://appletoolbox.com/2010/04/ipad-wi-fi-problems-comprehensive-list-of-fixes/
    Fix iPad Wifi Connection and Signal Issues  http://www.youtube.com/watch?v=uwWtIG5jUxE
    Fix Slow WiFi Issue https://discussions.apple.com/thread/2398063?start=60&tstart=0
    How To Fix iPhone, iPad, iPod Touch Wi-Fi Connectivity Issue http://tinyurl.com/7nvxbmz
    Unable to Connect After iOS Update - saw this solution on another post.
    https://discussions.apple.com/thread/4010130
    Note - When troubleshooting wifi connection problems, don't hold your iPad by hand. There have been a few reports that holding the iPad by hand, seems to attenuate the wifi signal.
    ~~~~~~~~~~~~~~~
    If any of the above solutions work, please post back what solved your problem. It will help others with the same problem.
     Cheers, Tom

  • Web-UI error message "Access via 'NULL' object reference not possible"

    I need some help, I'm not a Basis person but I need to get this connection problem resolve.
    This problem is in our DEV ICWeb system.  After logging in to Web-UI, I got a error message "Access via 'NULL' object reference not possible".  We have 3 clients (100, 220, & 310) in DEV and all 3 clients are giving me the same error message.
    From the help.sap.com, I found this topic http://help.sap.com/saphelp_nwes70/helpdata/en/84/43f0d786304e19a652a8f80909a8ec/content.htm
    but in the document it asked to go to SM59 to check the ESH_APPL_WS_TEMPLATEENGINE destination.  But we don't have that destination setup in all our systems.
    Here is the complete error message:
    Error when processing your request
    What has happened?
    The URL http://crm-dev.staff.copa:8000/sap/bc/bsp/sap/crm_ui_frame/BSPWDApplication.do was not called due to an error.
    Note
    ■The following error text was processed in the system CD1 : Access via 'NULL' object reference not possible.
    ■The error occurred on the application server CRM-DEV_CD1_00 and in the work process 0 .
    ■The termination type was: RABAX_STATE
    ■The ABAP call stack was:
    Method: GET_DATA_LOSS_HANDLER of program CL_CRM_UI_CORE_APPL_CONTROLLERCP
    Method: GET_DATA_LOSS_HANDLER of program CL_CRM_UI_CORE_APPL_CONTROLLERCP
    Method: EH_TRIGGER_NAVIGATION of program CL_CRM_UI_CORE_APPL_CONTROLLERCP
    Method: SET_WORKAREA_CONTENT of program CL_CRM_UI_CORE_APPL_CONTROLLERCP
    Method: PROCESS_NAV_QUEUE of program CL_BSP_WD_VIEW_MANAGER========CP
    Method: DO_INIT of program CL_CRM_UI_FRAME_APP_CONTROLLERCP
    Method: DO_INIT of program CL_BSP_CTRL_ADAPTER===========CP
    Method: GET_PAGE_CONTEXT_CURRENT of program CL_BSP_CONTEXT================CP
    Method: ON_REQUEST_ENTER of program CL_BSP_RUNTIME================CP
    Method: ON_REQUEST of program CL_BSP_RUNTIME================CP
    What can I do?
    ■If the termination type was RABAX_STATE, then you can find more information on the cause of the termination in the system CD1 in transaction ST22.
    ■If the termination type was ABORT_MESSAGE_STATE, then you can find more information on the cause of the termination on the application server CRM-DEV_CD1_00 in transaction SM21.

    Hi Michael,
    Refer to the link below and check the procedure.
    http://help.sap.com/saphelp_nwes70/helpdata/en/84/43f0d786304e19a652a8f80909a8ec/content.htm
    Regards,
    Arjun

  • HTTP connection from OSB web service to external system via a Proxy Server

    Dear experts,
    May I know has anyone tried to use HTTP protocol to send a request from OSB web service to external system via a proxy server? Heard that we need to establish some sort of tunnel (socket) to talk to Proxy Server. Can you please any have sample code or configuration steps to share?
    Thank you very much!!

    http://download.oracle.com/docs/cd/E13159_01/osb/docs10gr3/consolehelp/global_resources.html#wp1137294
    Adding Proxy Servers
    Use the Summary of Proxy Servers page to add and configure Proxy Server resources and make them available in Oracle Service Bus as a system resource. You must be in an active session to configure or reconfigure Proxy Server resources.
    1. If you have not already done so, click Create to create a new session or click Edit to enter an existing session. See Using the Change Center.
    2. Select System Administration > Proxy Servers.
    3. Click Add.
    4. In the Name field, enter a name for the Proxy Server resource. This is a required field.
    5. In the Description field, enter a short description for the Proxy Server resource.
    6. In the Host-Port Parameters section, enter the following information:
    1. In the Server Host field, enter the host name or IP address of the Proxy Server. This is a required field.
    The Server Host name for the Oracle Service Bus proxy server must be identical to the server host name of the actual proxy server.
    2. In the Clear Text Port field, enter the Proxy Server clear-text port number.
    3. In the SSL Port field, enter the Proxy Server SSL port number. You must enter either a clear text or SSL port number.
    4. Click Add.
    You can configure multiple Proxy Servers for each Proxy Server resource. This enables Oracle Service Bus to perform load balancing and offer fault tolerance features for the Proxy Server resource.
    7. If the Proxy Server performs proxy authentication, enter a user name in the User Name field, and the associated password in the Password and Confirm Password fields.
    These fields are optional, and required only if the Proxy Server is secured.
    8. Click Save to create and save the Proxy Server resource in the current session.
    9. To end the session and deploy the configuration to the run time, click Activate under Change Center.

  • Accessing Distributed Queue In a Cluster via the Proxy Server

              I am running WL 8.1 SP2. I have a configuration where I have 3 servers (on two
              different machines) running in a cluster. I have a separate server on a 3rd machine
              running the cluster proxy server for a single point of access to the cluster.
              I have configured a distributed queue and a distributed topic, each targeted
              to all servers in the cluster.
              Now I have a JMS client which is a separate java application that is trying to
              connect to the distributed queue and topic in the cluster. If the client connects
              directly to one of the cluster machines, it is able to successfully interact with
              the JMS queue and topic. But if it attempts to connect via the proxy server it
              gets an error saying the queue and topic does not exist.
              So what am I missing? Do I need to configure a separate JMS server on the proxy
              server and add that as part of the distributed queue & topic (this didn't seem
              to allow me to add anything outside of the cluster). Is there any special configuration
              in the proxy to pass through JMS requests? I'm currently using a WL logic server
              as my front-end proxy server but does anything change if I want to use Apache
              with the WL Proxy plug-in??
              Jerald
              

              "Jerald Pratt" <[email protected]> wrote in message
              news:[email protected]...
              >
              > I am running WL 8.1 SP2. I have a configuration where I have 3 servers
              (on two
              > different machines) running in a cluster. I have a separate server on a
              3rd machine
              > running the cluster proxy server for a single point of access to the
              cluster.
              > I have configured a distributed queue and a distributed topic, each
              targeted
              > to all servers in the cluster.
              >
              > Now I have a JMS client which is a separate java application that is
              trying to
              > connect to the distributed queue and topic in the cluster. If the client
              connects
              > directly to one of the cluster machines, it is able to successfully
              interact with
              > the JMS queue and topic. But if it attempts to connect via the proxy
              server it
              > gets an error saying the queue and topic does not exist.
              Yup... That makes sense...
              >
              > So what am I missing? Do I need to configure a separate JMS server on the
              proxy
              > server and add that as part of the distributed queue & topic (this didn't
              seem
              > to allow me to add anything outside of the cluster). Is there any special
              configuration
              > in the proxy to pass through JMS requests? I'm currently using a WL logic
              server
              > as my front-end proxy server but does anything change if I want to use
              Apache
              > with the WL Proxy plug-in??
              One option I have used frequenly is specifying java.naming.provider.url as
              cluster address (e.g. t3://server1:7001,server2:7001
              You may also want to look into tunnelling...
              >
              > Jerald
              >
              

  • Will creative cloud work via a proxy server

    We use a proxy server for all our internet connections. Will creative cloud work via a proxy server?

    Hi - I'm i  a similar position to the OP, we've bought a cc2014 individual licence but I work in a government organisation with proxy server and strong firewall and we can't download even the desktop manager. When I spoke to support they said it was unlikely I'd be able to get it to work through our system, and even if we upgraded to a teams licence we'd still have a problem as the indidual computers would still need a clean connection through to the adobe servers to activate.
    The document linked only talks about the Packager and the Teams/Enterprise licence, so is there just no solution for anyone with a single licence that has to work via a proxy server? Would a Teams licence solve these problems?

  • When using a proxy server at work, Deezer page does not load normally?

    When using a proxy server at work, Deezer page does not load normally, but when I go home and use connection without proxy, everything is fine.
    It loads, and some features on the website work, but the look is not the same. Over the proxy it shows just text on the left side of the screen and I can't choose some of the options.
    When I go home and use my home connection without proxy, there are no problems, everything is OK.
    Could you please solve this?

    I found that after Firefox v29, a LOT of my settings and<BR>
    add-ons were changed / reset. Try this;
    '''''[https://support.mozilla.org/en-US/kb/troubleshoot-firefox-issues-using-safe-mode Start Firefox in Safe Mode]'''''
    <BR>While you are in safe mode;<BR>
    '''''Firefox Options > Advanced > General'''''.<BR>
    Look for and turn off '''Use Hardware Acceleration'''.<BR>
    Then check ALL of your settings. Browser and add-ons. Then restart.

  • Server proxy is not working

    Hi Experts,
    I have a scenario from jdbc to SAP.I have made serverproxy.The proxy was not working.I have test the proxy backend it is working fine,but i am staring jdbc channel the data was not insert in to the database table in sap.I have checked in sxmb_moni in sap r/3 system is showing scuessfully,but data was not sent to proxy.I have put one break point in the code for debugging the proxy.But data was not comming to breakpoint.Kindly help me.
    Thanks
    Ravi

    Hi,
    Make sure that you have not done any changes in your XI structure recently otherwise regenerate the proxy and then try agin.
    Secondly if you have not done any changes then it's ok. Just one thing, have you used Commit Work just after modifying/inseting the value into database table. If not use this and then try again.
    It seems that smoethig went wrong at R3 side because you said data is successful in R3 MONI, so data is reaching to R3 but not going into proxy.
    When you kept the break point then were you able to see the debugger screen in R3?
    Regards,
    Sarvesh

  • IC WEBCLIENT: Access via 'NULL' object reference not possible

    Hi,
    Iam working in ABAP, and learning CRM ABAP on CRM5.0 IDES Demo system I was trying to create a new WebIC by copying one view from CRM_IC to ZCRM_IC bsp application. Following are the steps I following according to Cook book documentation.
    1. I copied BuPaDisplayCustomer view and controller from CRM_IC to ZCRM_IC from
        BSP_WD_WORKBENCH by selecting CRM_IC and runtime profile = 'DEFAULT'.
    2. Created a runtime profile from SPRO->CRM->IC Webclient->Customer specific modifications->Define
       runtime profile.
    3. Copied the 'DEFAULT' runtime profile to my new profile 'Z_COOKBOOK'. Assign 'ZCRM_IC' by
       clicking on 'Controller and substitues'.
       BSP       Replaced Controller         BSP                 ReplacmentController
       CRM_IC BuPaMoreContactView    Z_CRM_IC         BuPaMoreContactView 
    4. Define IC Webclient profile:
        SPRO->CRM->IC Webclient->Define IC Webclient profile->Copy the DEFAULT profile and assign it to
        'Z_COOKBOOK',
    5. Assigned the Webclient profile to the user from t-code 'PPOMW'. Selected 'USER' from the 
        existing 'Position' and Goto->Detail object->Enhanced obj descrption.Selected IC webclient from the
       list and created Infotype assigned Webclient profile 'Z_COOKBOOK'.
    6. Execute the ZCRM_IC from SE80 by rightclick and Test. Here is my problem,Iam receiving the
       following error in the webpage.
         The following error text was processed in the system CR7 :
               Access via 'NULL' object reference not possible.
        The error occurred on the application server CR7_01 and in the work process 0 .
        The termination type was: RABAX_STATE
    The ABAP call stack was:
          Method: SET_MODELS of program CL_CRM_IC_BUPADISPCUSTOME=====CP
          Method: SET_MODELS of program CL_CRM_IC_BUPADISPCUSTOME=====CP
          Method: SET_MODELS of program CL_CRM_IC_BUPADISPCUSTOME_IMPLCP
          Method: DO_REQUEST of program CL_BSP_WD_VIEW_CONTROLLER=====CP
          Method: DO_REQUEST of program CL_BSP_CTRL_ADAPTER===========CP
          Method: ON_REQUEST of program CL_BSP_RUNTIME================CP
          Method: IF_HTTP_EXTENSION~HANDLE_REQUEST of program CL_HTTP_EXT_BSP===============CP
          Method: EXECUTE_REQUEST_FROM_MEMORY of program CL_HTTP_SERVER================CP
          Function: HTTP_DISPATCH_REQUEST of program SAPLHTTP_RUNTIME
          Module: %_HTTP_START of program SAPMHTTP
    I check the CRM services and all are active, using IE8 web browser. I just copied the view and controller
    from CRM_IC into Custom BSP application i.e., ZCRM_IC.
    Above error is occuring even If i run the standard CRM_IC BSP application and select one simple view.
    from SE80.
    Not sure whether any additional configuration or any special roles to be assigned to the Webclient profile.
    Thanks,
    Venn.

    hello swapna,
    we are facing the same error while accessing the leave request link, all jco are testing fine, i checked backend connection and its fine, please tel me how did u resolved that issue,
    Thanks in advance.....
    ajay

  • RFC_ERROR_SYSTEM_FAILURE  - - Access via NULL object reference not possible

    Hi,
    RFC was working fine , suddenly starting showing error below (  not sure if i changed anything ) -
    Rest of the RFC's in the same app are working fine.
    The error throwed is -
    com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException: Access via NULL object reference not possible., error key: RFC_ERROR_SYSTEM_FAILURE
    Full error details -
    com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException: Access via NULL object reference not possible., error key: RFC_ERROR_SYSTEM_FAILURE
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.DynamicRFCModelClassExecutable.execute(DynamicRFCModelClassExecutable.java:101)
         at com.sap.xss.per.fc.persinfo.FcPersInfo.onCleanup(FcPersInfo.java:561)
         at com.sap.xss.per.fc.persinfo.wdp.InternalFcPersInfo.onCleanup(InternalFcPersInfo.java:798)
         at com.sap.xss.per.fc.persinfo.FcPersInfoInterface.onCleanup(FcPersInfoInterface.java:246)
         at com.sap.xss.per.fc.persinfo.wdp.InternalFcPersInfoInterface.onCleanup(InternalFcPersInfoInterface.java:299)
         at com.sap.xss.per.fc.persinfo.wdp.InternalFcPersInfoInterface$External.onCleanup(InternalFcPersInfoInterface.java:459)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent.cleanUp(FPMComponent.java:644)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent.access$1000(FPMComponent.java:78)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent$FPM.exitCalled(FPMComponent.java:963)
         at com.sap.pcuigp.xssfpm.wd.FPMComponent$FPMProxy.exitCalled(FPMComponent.java:1134)
         at com.sap.pcuigp.xssfpm.wd.BackendConnections.wdDoExit(BackendConnections.java:124)
         at com.sap.pcuigp.xssfpm.wd.wdp.InternalBackendConnections.wdDoExit(InternalBackendConnections.java:228)
         at com.sap.tc.webdynpro.progmodel.generation.DelegatingCustomController.doExit(DelegatingCustomController.java:77)
         at com.sap.tc.webdynpro.progmodel.controller.Controller.exitController(Controller.java:180)
         at com.sap.tc.webdynpro.progmodel.controller.Controller.exit(Controller.java:154)
         at com.sap.tc.webdynpro.progmodel.controller.Component.exitController(Component.java:251)
         at com.sap.tc.webdynpro.progmodel.controller.Controller.exit(Controller.java:154)
         at com.sap.tc.webdynpro.clientserver.cal.ClientComponent.exit(ClientComponent.java:219)
         at com.sap.tc.webdynpro.clientserver.cal.ClientApplication.exit(ClientApplication.java:474)
         at com.sap.tc.webdynpro.clientserver.cal.ClientApplication.destroy(ClientApplication.java:527)
         at com.sap.tc.webdynpro.clientserver.session.ApplicationSession.destroy(ApplicationSession.java:398)
         at com.sap.tc.webdynpro.clientserver.session.ClientWindow.destroyApplicationSession(ClientWindow.java:235)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doDestroyApplication(ClientSession.java:1003)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doSessionManagementPostProcessing(ClientSession.java:789)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doProcessing(ClientSession.java:264)
         at com.sap.tc.webdynpro.clientserver.session.RequestManager.doProcessing(RequestManager.java:149)
         at com.sap.tc.webdynpro.serverimpl.defaultimpl.DispatcherServlet.doContent(DispatcherServlet.java:62)
         at com.sap.tc.webdynpro.serverimpl.defaultimpl.DispatcherServlet.doGet(DispatcherServlet.java:46)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.sap.engine.services.servlets_jsp.server.HttpHandlerImpl.runServlet(HttpHandlerImpl.java:401)
         at com.sap.engine.services.servlets_jsp.server.HttpHandlerImpl.handleRequest(HttpHandlerImpl.java:266)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.startServlet(RequestAnalizer.java:386)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.startServlet(RequestAnalizer.java:364)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.invokeWebContainer(RequestAnalizer.java:1039)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.handle(RequestAnalizer.java:265)
         at com.sap.engine.services.httpserver.server.Client.handle(Client.java:95)
         at com.sap.engine.services.httpserver.server.Processor.request(Processor.java:175)
         at com.sap.engine.core.service630.context.cluster.session.ApplicationSessionMessageListener.process(ApplicationSessionMessageListener.java:33)
         at com.sap.engine.core.cluster.impl6.session.MessageRunner.run(MessageRunner.java:41)
         at com.sap.engine.core.thread.impl3.ActionObject.run(ActionObject.java:37)
         at java.security.AccessController.doPrivileged(AccessController.java:219)
         at com.sap.engine.core.thread.impl3.SingleThread.execute(SingleThread.java:102)
         at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:172)
    Caused by: com.sap.aii.proxy.framework.core.BaseProxyException: Access via 'NULL' object reference not possible., error key: RFC_ERROR_SYSTEM_FAILURE
         at com.sap.aii.proxy.framework.core.AbstractProxy.send$(AbstractProxy.java:150)
         at com.sap.xss.per.model.mac.HRXSS_PER_MAC.hrxss_Per_Cleanup(HRXSS_PER_MAC.java:331)
         at com.sap.xss.per.model.mac.Hrxss_Per_Cleanup_Input.doExecute(Hrxss_Per_Cleanup_Input.java:137)
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.DynamicRFCModelClassExecutable.execute(DynamicRFCModelClassExecutable.java:92)
         ... 43 more
    Thanks,
    Regards,
    Ankit

    Hello Vaish & Ankit,
    Can you check what is the dump occurred in transaction ST22?
    I hope you guys are working with HR data. So, i think some object is not passed(internally) correctly in RFC.
    Please debug the RFC by keeping the breakpoint from webdynpro application, then you will come to know what is not passed when we execute the RFC from R/3.
    Regards
    Nizamudeen SM

  • The following error text was processed in the system IDS : Access via 'NULL' object reference not possible.

    Hi all ,
    Im getting the below error , actually recently i created my own custom table zstudent, later i wrote select query to fetch data from the same and dump at internal table and then bind this to the table node.
    But im getting below error, even i removed the select query still same error is occuring.
    Error when processing your request
      What has happened?
    The URL http://********00.*****b.com:8000/sap/bc/webdynpro/sap/zdemo_student/ was not called due to an error.
    Note
    The following error text was processed in the system IDS : Access via 'NULL' object reference not possible.
    The error occurred on the application server axsids00_IDS_00 and in the work process 0 .
    The termination type was: RABAX_STATE
    The ABAP call stack was:
    Method: WDDOINIT of program /1BCWDY/YUSM2Q74A826Y0JY1I4V==CP
    Method: IF_WDR_COMPONENT_DELEGATE~WD_DO_INIT of program /1BCWDY/YUSM2Q74A826Y0JY1I4V==CP
    Method: DO_INIT of program CL_WDR_DELEGATING_COMPONENT===CP
    Method: INIT_CONTROLLER of program CL_WDR_CONTROLLER=============CP
    Method: INIT_CONTROLLER of program CL_WDR_COMPONENT==============CP
    Method: INIT of program CL_WDR_CONTROLLER=============CP
    Method: INIT of program CL_WDR_CLIENT_COMPONENT=======CP
    Method: INIT of program CL_WDR_CLIENT_APPLICATION=====CP
    Method: IF_WDR_RUNTIME~CREATE of program CL_WDR_MAIN_TASK==============CP
    Method: HANDLE_REQUEST of program CL_WDR_CLIENT_ABSTRACT_HTTP===CP

    Thanks Rama,
    Acutally i accidentally commented the lo_nd_student = wd_context ....etc
    this line was commented .
    i have one small requirement to fetch data from local customised table and fill the same to internal table and bind that to table node.
    my table node is student having attributes as name , city and number , all are of type strings.
    now i created one custom table zstudent having ID - char of length 10,
    name of type string
    city of type string
    num of type string
    i have inserted records
    but when i use select query to fill data from this zstudent to my internal table of type lt_student type wd_this->elements_student ,
    im getting same above error.

  • Error when save project Access via 'NULL' object reference not possible PLM

    Dear All,
    we are using cProject (PLM)4.0
    When i create project & try to save ,system gives me error 'Access via 'NULL' object reference not possible'
    Steps
    1.Create project & element
    2.save
    showing below error
    Note
    The following error text was processed in the system PLD : Access via 'NULL' object reference not possible.
    The error occurred on the application server Ndimdev_PLD_20 and in the work process 0 .
    The termination type was: RABAX_STATE
    The ABAP call stack was:
    Error code: ICF-IE-http -c: 300 -u: PLMUSER1 -l: E -s: PLD -i: Ndimdev_PLD_20 -w: 0 -d: 20090702 -t: 164926 -v: RABAX_STATE -e: OBJECTS_OBJREF_NOT_ASSIGNED
    Please do needful
    Regards
    Ravindra

    Hi,
    Put a break point and check whther ur node and
    element instantiation is properly done.
    Thanks,
    Divya.S

Maybe you are looking for

  • Dual Boot Windows XP Downgrade Recovery

    I purchased a Thinkpad R500 with XP preinstalled. It came complete with recovery CD's, but for Vista. I would like to create two partitions, one with a minimal/cutdown XP (for audio production) and normal XP partiton for web browsing and working with

  • Error when using Date Parameters...

    Hi everybody, I have a little issue. Ever since I upgraded my CRXI R2 to SP4 I've had a little problem using date parameters. The little calendar icon next to the parameter field no longer works. When I click it I get the following error message: An

  • Splash image flickering

    Hello I have create a program that start with a splash image defined in the manifest.mf file with the statement SplashScreen-Image: data/images/splash.jpg. When i run the program with jre 1.6.0 I see an undesidered flickering of the splash image.Can

  • Looking up the Std. Invoice Number (Billing Doc#) using the Outbound Del.#

    Hi, I have a list of Outbound delivery #s that I collected by running T-Code:VL06O.  I am trying to get the Invoice value associated with these Delivery #s..i.e. I am trying to see what did we charge the customer for a particular delivery.  I can dbl

  • G4 ethernet stops working, system prefs hangs

    Hello, I have an old g4 power mac working as a server. O.S. is 10.4.11, connected with ethernet over several switches and a ( new ) router with fixed i.p. addresses. The other computers are intel machines with MAC 10.6 . This configuration has worked