HTTPS with Applet over Proxy Issue

An applet using HttpURLConnection within a Java Applet. The Connection is formulated as follows:
HttpURLConnection urlConn = (HttpURLConnection)destURL
                         .openConnection( );
urlConn.setDoOutput( true );
urlConn.setDoInput( true );
urlConn.setUseCaches( false );
urlConn.setAllowUserInteraction( false );
urlConn.setRequestProperty( "Content-type","multipart/form-data" );
urlConn.setRequestProperty( "Content-length","" + parameters.length( );This works fine with numerous proxy servers and other network
topologies, except one. The issue I am told occurs when we are trying to
connect over https. For background, my understanding is this causes the Java Plug-in to :
* invoke the http CONNECT command
* wait for the 200 OK indicating that the secure tunnel is established
* then send the request securely.
Doing a packet trace shows that the headers set in the code are
actually being included with the CONNECT. However the Java Plug
(1.4.2_06) does not sent the body with the CONNECT. I am told this
causes the proxy to wait for an entity that never arrives, because, on
the other end, the plug-in is waiting for 200 OK. After 8 secs the
plug-in resets the connection and fails.
Packet traces on other proxies show the same content-length header being
included, but they decide ignore it. From Googling I note some folks
claim that this is expected, because CONNECT is non-entity enclosing.
Doc's are scant on the CONNECT command. In some cases they seem to imply
that no data should go with the CONNECT (making it non-entity
enclosing), but later they state it supports data-pipelining, making the
content-length relevant, as the CONNECT may well contain an entity.
Moreover, is the intent of Applet Framework to insulate the programmer
from having to worry about issues like this? For example this Applet can
and does connect to a myriad of HTTP/1.1 or 1.0 server through a proxy
or not; in the case of no proxy or non secure proxy, the content-length
header is valid as the request goes out in one go with associated
headers. So writing the code as above, does not seem to be inherently
flawed, IMO. <-- And that is a question too :).
I note there is an isProxy() method, but this can only be determined
after connection (obviously) and parameters cannot be changed once the
connection is made. So creating a dummy connection first is possible I
suppose, but it seems a slippery slope to start coding for exceptions
like this, unless absolutely necessary.
On the face of it, it could be argued that this appears to be a bug in
the plug-in but with very little hits in google I am doubtful. To that
end, does anyone have any thoughts or experience with either working
around the problem (it would seem to be a pity to have to have a setting
per client), or whether in fact this proxy server is being too draconian
in its interpretation.
Thanks in advance,
Gary
Refs:
RFC2616
http://www.web-cache.com/Writings/Internet-Drafts/draft-luotonen-web-proxy-tunneling-01.txt

Pardon my ignorance about proxies, but how do you tell the plug-in that there is a proxy in between you and the destination?
The reason I ask is because with the https protocol, the first thing that happens is that an SSL connection is set up between the endpoints, and only after, through this secure tunnel, is the GET request or whatever sent. The proxy never gets to see any of the HTTP headers.

Similar Messages

  • Send a request using Http(s)URLConnection through proxy issue

    Hi all,
    Here are system environment,
    OS: Ubuntu 12.04
    Java version: 1.6.0_27
    OpenJDK Runtime Environment (IcedTea6 1.12.4) (6b27-1.12.4-1ubuntu1)
    OpenJDK 64-Bit Server VM (build 20.0-b12, mixed mode)
    There are 3 roles introduction as below:
    1. A https client: It can not direct connect to https server. Because it is restricted in a enclosed network environment just like intranet(ip is 10.100.11.8).The only way out is proxy server.
    2. A proxy server: Locate between https client and https server. It have two network interfaces(ip are 10.100.11.10 and 192.168.11.10)
    3. A https server: It is on extranet(ip is 192.168.11.123) and it also cannot connect to https client directly.
    The other network environment setup is: There is no DNS server on https client network environment.
    The following is part of https client code section:
            public static void main(String args[]){
               String proxyIp ="10.100.11.10";// proxy server IP
               testConn(proxyIp);
            private static void testConn(String proxyIp){
                    String httpsURL="https://192.168.11.123:8443/httpsServices";
                    setSSLContext();// I thought this is not root cause so I do not post on
                    try{
                      InetAddress intIPAdd= InetAddress.getByAddress(convStrToByte(proxyIp));
                      InetSocketAddress proxyInetAddr = new InetSocketAddress(intIPAdd,80);
                      Proxy proxy = new Proxy(Proxy.Type.HTTP, proxyInetAddr);
                      URL httpsUrl = new URL(httpsURL);
                      HttpsURLConnection httpsCon = (HttpsURLConnection) httpsUrl.openConnection(proxy);
                      httpsCon.setDoOutput(true);
                      httpsCon.setDoInput(true);
                      httpsCon.setRequestMethod("POST");
                      httpsCon.setDefaultUseCaches(true);   
                      httpsCon.setUseCaches(true);
                      System.out.println("Get OutPutStream start!");
                      OutputStream out = httpsCon.getOutputStream(); // or httpsCon.connect();
                      System.out.println("Get OutPutStream done!");
                      OutputStreamWriter owriter = new OutputStreamWriter(out);
                      owriter.write("<request>test</request>");
                      owriter.flush();
                      owriter.close();
            private static byte[]  convStrToByte(String ip){
            String str[] = ip.split("\\.");
            byte[] ipAry = new byte[str.length];
              for(int i=0;i<str.length;i++){
                ipAry[i] = (byte) Integer.parseInt(str, 10);
    return ipAry;
    All right, my problem is, while print out "Get OutPutStream start" untill "Get OutPutStream done", it always takes about 5 secs.
    No Error or exception. It was just hanging there approx 5 secs.
    I observed the packets flow with wireshark.
    Found out that hang time is to send a multicast to ask MDNS the proxy IP. No one reply this message. It would ask 3 times and then send request to proxy.
    About https trust and authentication issue. I use *All Trust* solution. because https server use self-signed CA by myself.
    If need, I would update this post with code section of setSSLContext() part.
    I wondering to know that I create proxy object using *InetSocketAddress(InetAddress addr, int port)*, or I create proxy ip instance using *public static InetAddress getByAddress(byte[] addr)* why it would ask to MDNS for proxy ip?
    On normal concept, I give an ip address and it do not need to resolve this ip for domain name.
    Check InetAddress getByAddress(byte[] addr) of JAVA SE6 API:
    It says: 'This method doesn't block, i.e. no reverse name service lookup is performed.'
    What can I do to let https client don't need to ask MDNS?
    Thank you guys so much.
    Edited by: 1002346 on 2013/4/29 上午 12:05                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

    Java does reverse DNS lookups for security reasons. Not sure you can disable it but if you can it will be described on the Networking Properties page.

  • Exchange 2013 co-existence with Exchange 2010 proxying issue.

    Hello,  
    I am testing Exchange 2010 and Exchange 2013 co-existence in my test lab at the moment, with
    a view to migrating our production environment to 2013 later in the year.  
    The lab is setup, and the problem I'm having is that internal Outlook clients cannot open
    their respective mailboxes once the 2013 CAS server is introduced into the mix.  
     The
    setup is listed below:  
    EXCHANGE 2010 Servers  
    TESTLABEXCH01 - CAS,HT,MBX - Exchange 2010 SP3  
    TESTLABEXCH02 - CAS,HT,MBX - Exchange 2010 SP3  
    Both servers are part of a CAS Array - casarray01.testlab.local  
    Both servers are part of a DAG - DAG01.testlab.local  
    RpcClientAccessServer on all 2010 databases set to casarray01.testlab.local  
    The A record for casarray01.testlab.local points to the IP of the VIP of a load balancer.  
    The loadbalancer serves
    the following ports: 25,80,443,143,993,110,995,135,60200,60201  
    OutlookAnywhere is enabled on both servers:  
    ClientAuthenticationMethod : Ntlm  
    IISAuthenticationMethods   : {Basic, Ntlm}  
    Internal and external mail flow works without issue before the 2013 server is introduced. 
    Internal and external client access works without issue before the 2013 server is introduced. 
    Part Two to follow.....
    Matt

    EXCHANGE 2013 Servers :
    TESTLABEXCH03 - CAS,MBX - Exchange 2013 SP1  
    OutlookAnywhere is enabled on the server:  
    ClientAuthenticationMethod : Ntlm  
    IISAuthenticationMethods   : {Basic, Ntlm}  
    RpcClientAccessServer on all 2013 databases set to casarray01.testlab.local
    (This an inherited setting I assume from the pre-existing 2010 organization)  
    Split DNS is in place and all internal/external URL's point to either:  
    autidiscover.external.com  
    mail.external.com  
    The A record for the mail.external.com points to the IP of the load balancer VIP  
    The CNAME record for autodiscover.external.com points to mail.external.com  
    When the TESTLABEXCH03 is added to the load balancer config,
    and given highest priority this is when the Outlook clients stop working.  
    Any existing profiles in Outlook 2010/Outlook 2013 can no be opened as there is a persistent
    credentials prompt.  
    Upon trying to create a new profile, the process errors when reaching the "Log onto server"
    stage and again prompts for credentials.  
    Running the test-outlookconnectivity cmdlet from
    either of the 2010 servers produces the following results.  
    [PS] C:\Windows\system32>Test-OutlookConnectivity -Protocol:http  
    ClientAccessServer   ServiceEndpoint                         
    Scenario                            Result  Latency  
    TESTLABEXCH02  autodiscover.external.com    Autodiscover:
    Web service request.  Success  343.20  
    TESTLABEXCH02  casarray01.testlab.local       RpcProxy::VerifyRpcProxy.  
    Success    0.00  
    TESTLABEXCH02  casarray01.testlab.local         RFRI::GetReferral.                 
    Failure   -1.00  
    TESTLABEXCH02  casarray01.testlab.local        NSPI::GetProfileDetails.           
    Failure   -1.00  
    TESTLABEXCH02  casarray01.testlab.local        
    Mailbox::Connect.                   Failure   -1.00 
    TESTLABEXCH02  casarray01.testlab.local        
    Mailbox::Logon.                     Skipped   -1.00  
    If remove the 2013 CAS server from the loadbalancer config and
    all connections go directly to the 2010 servers again, all of the above tests pass and Outlook connectivity is also restored.  
    IIS has been reset on all 3 servers incidentally, following any changes made whilst troubleshooting. 
    I'm struggling to see what I'm missing here, if anyone can assist in troubleshooting this
    matter further, or point out any errors in my setup it would be greatly appreciated.  
    Regards  
    Matt 
    Matt

  • How to access Flash Apps over https with a self signed certificate?

    I have a Flex app that needs to access data from a SOAP web service over https with a self signed certificate. The app needs to ignore the https warnings, just as a browser would warn & allow the user to proceed. Buying a valid signed certificate is not an option for us.
    It works fine over http.
    How can I achieve this?
    I read that URLRequest has a property: authenticate, that I can set to false. However, this property is available only for Adobe AIR applications from what I can see. This doesn't seem available for Flex apps.
    I have tried this in both Flex 3 & the latest Flash Builder 4. Have the same issue in both cases.
    Help appreciated.
    Thanks

    You'd really need to ask in the Flex or Flash Builder forums as this is a front end code modification and Flash Player can't do any of that.

  • Proxy issue in OpenScript Load Testing Protocol(Web/HTTP) during PlayBack

    Hi All,
    I am new to OATS and I recorded a sample script on OATS for Load Testing protocol(Web/HTTP) in OpenScript but when I Playback it then it is giving the following as the result:
    "*Invalid response received from proxy server: HTTP/1.1 502 Proxy Error ( The ISA Server denied the specified Uniform Resource Locator (URL). ).*
    *Comparable WinInet error code: Error 12033: ERROR_INTERNET_INVALID_PROXY_REQUEST.*"
    In ErrorLog following errors are mentioned:
    "*eclipse.buildId=unknown*
    *java.version=1.6.0_07*
    *java.vendor=Sun Microsystems Inc.*
    *BootLoader constants: OS=win32, ARCH=x86, WS=win32, NL=en_IN*
    *Command-line arguments: -os win32 -ws win32 -arch x86*
    *Error*
    *Thu Apr 25 12:00:17 IST 2013*
    *fireActiveProjectChanged*
    *java.lang.IllegalStateException: Error getting Parent Element Id for element-id: 9*
    *     at oracle.oats.scripting.models.store.util.db.ModelDBPersistence.getElementParentId(ModelDBPersistence.java:283)*
    *     at oracle.oats.scripting.models.stores.database.DatabaseStore.getParentId(DatabaseStore.java:287)*
    *     at oracle.oats.scripting.models.stores.database.ResultOverviewStore.getParentId(ResultOverviewStore.java:550)*
    *     at oracle.oats.scripting.models.ModelElement.getParentId(ModelElement.java:275)*
    *     at oracle.oats.scripting.models.ModelAccessor.findParent(ModelAccessor.java:146)*
    *     at oracle.oats.scripting.models.ModelElement.findParent(ModelElement.java:289)*
    *     at oracle.oats.scripting.ui.views.results.ResultsContentProvider.getParent(ResultsContentProvider.java:49)*
    *     at org.eclipse.jface.viewers.AbstractTreeViewer.getParentElement(AbstractTreeViewer.java:1646)*
    *     at org.eclipse.jface.viewers.TreeViewer.getParentElement(TreeViewer.java:601)*
    *     at org.eclipse.jface.viewers.AbstractTreeViewer.internalExpand(AbstractTreeViewer.java:1573)*
    *     at org.eclipse.jface.viewers.AbstractTreeViewer.setSelectionToWidget(AbstractTreeViewer.java:2456)*
    *     at org.eclipse.jface.viewers.StructuredViewer.setSelectionToWidget(StructuredViewer.java:1680)*
    *     at org.eclipse.jface.viewers.AbstractTreeViewer.setSelectionToWidget(AbstractTreeViewer.java:2864)*
    *     at org.eclipse.jface.viewers.StructuredViewer.setSelection(StructuredViewer.java:1636)*
    *     at org.eclipse.jface.viewers.TreeViewer.setSelection(TreeViewer.java:1104)*
    *     at oracle.oats.scripting.ui.views.results.ResultsDisplayView.setSelection(ResultsDisplayView.java:584)*
    *     at oracle.oats.scripting.ui.views.results.ResultsDisplayView.onActiveScriptingProjectChanged(ResultsDisplayView.java:266)*
    *     at oracle.oats.scripting.ui.internal.editors.openScript.OpenScriptEditorRegistry.fireActiveProjectChanged(OpenScriptEditorRegistry.java:377)*
    *     at oracle.oats.scripting.ui.internal.editors.openScript.OpenScriptEditorRegistry.access$8(OpenScriptEditorRegistry.java:371)*
    *     at oracle.oats.scripting.ui.internal.editors.openScript.OpenScriptEditorRegistry$EditorListener.partActivated(OpenScriptEditorRegistry.java:121)*
    *     at org.eclipse.ui.internal.PartListenerList2$1.run(PartListenerList2.java:68)*
    *     at org.eclipse.core.runtime.SafeRunner.run(SafeRunner.java:37)*
    *     at org.eclipse.core.runtime.Platform.run(Platform.java:880)*
    *     at org.eclipse.ui.internal.PartListenerList2.fireEvent(PartListenerList2.java:53)*
    *     at org.eclipse.ui.internal.PartListenerList2.firePartActivated(PartListenerList2.java:66)*
    *     at oracle.oats.scripting.ui.internal.TailoredPartService.firePartActivated(TailoredPartService.java:310)*
    *     at oracle.oats.scripting.ui.internal.TailoredPartService.setActivePart(TailoredPartService.java:344)*
    *     at org.eclipse.ui.internal.WWinPartService.updateActivePart(WWinPartService.java:124)*
    *     at org.eclipse.ui.internal.WWinPartService.access$0(WWinPartService.java:115)*
    *     at org.eclipse.ui.internal.WWinPartService$1.partDeactivated(WWinPartService.java:48)*
    *     at org.eclipse.ui.internal.PartListenerList2$4.run(PartListenerList2.java:113)*
    *     at org.eclipse.core.runtime.SafeRunner.run(SafeRunner.java:37)*
    *     at org.eclipse.core.runtime.Platform.run(Platform.java:880)*
    *     at org.eclipse.ui.internal.PartListenerList2.fireEvent(PartListenerList2.java:53)*
    *     at org.eclipse.ui.internal.PartListenerList2.firePartDeactivated(PartListenerList2.java:111)*
    *     at oracle.oats.scripting.ui.internal.TailoredPartService.firePartDeactivated(TailoredPartService.java:323)*
    *     at oracle.oats.scripting.ui.internal.TailoredPartService.setActivePart(TailoredPartService.java:338)*
    *     at org.eclipse.ui.internal.WorkbenchPagePartList.fireActivePartChanged(WorkbenchPagePartList.java:56)*
    *     at org.eclipse.ui.internal.PartList.setActivePart(PartList.java:126)*
    *     at org.eclipse.ui.internal.WorkbenchPage.setActivePart(WorkbenchPage.java:3491)*
    *     at org.eclipse.ui.internal.WorkbenchPage.requestActivation(WorkbenchPage.java:3034)*
    *     at org.eclipse.ui.part.MultiEditor.activateEditor(MultiEditor.java:178)*
    *     at oracle.oats.scripting.ui.internal.editors.openScript.OpenScriptEditor.activateEditor(OpenScriptEditor.java:1247)*
    *     at org.eclipse.ui.part.MultiEditor$1.handleEvent(MultiEditor.java:81)*
    *     at org.eclipse.swt.widgets.EventTable.sendEvent(EventTable.java:84)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1003)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1027)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1008)*
    *     at org.eclipse.swt.widgets.Shell.setActiveControl(Shell.java:1353)*
    *     at org.eclipse.swt.widgets.Control.sendFocusEvent(Control.java:2443)*
    *     at org.eclipse.swt.widgets.Widget.wmSetFocus(Widget.java:2266)*
    *     at org.eclipse.swt.widgets.Control.WM_SETFOCUS(Control.java:4414)*
    *     at org.eclipse.swt.widgets.Tree.WM_SETFOCUS(Tree.java:6846)*
    *     at org.eclipse.swt.widgets.Control.windowProc(Control.java:3855)*
    *     at org.eclipse.swt.widgets.Tree.windowProc(Tree.java:5791)*
    *     at org.eclipse.swt.widgets.Display.windowProc(Display.java:4528)*
    *     at org.eclipse.swt.internal.win32.OS.SetFocus(Native Method)*
    *     at org.eclipse.swt.widgets.Control.forceFocus(Control.java:974)*
    *     at org.eclipse.swt.widgets.Control.setFocus(Control.java:2811)*
    *     at org.eclipse.swt.widgets.Composite.setFocus(Composite.java:927)*
    *     at oracle.oats.scripting.ui.editors.tree.TreeEditor.setFocus(TreeEditor.java:230)*
    *     at org.eclipse.ui.part.MultiEditor.setFocus(MultiEditor.java:139)*
    *     at org.eclipse.ui.internal.PartPane.setFocus(PartPane.java:325)*
    *     at org.eclipse.ui.internal.EditorPane.setFocus(EditorPane.java:127)*
    *     at org.eclipse.ui.internal.PartStack.presentationSelectionChanged(PartStack.java:846)*
    *     at org.eclipse.ui.internal.PartStack.access$1(PartStack.java:829)*
    *     at org.eclipse.ui.internal.PartStack$1.selectPart(PartStack.java:139)*
    *     at org.eclipse.ui.internal.presentations.util.TabbedStackPresentation$1.handleEvent(TabbedStackPresentation.java:133)*
    *     at org.eclipse.ui.internal.presentations.util.AbstractTabFolder.fireEvent(AbstractTabFolder.java:267)*
    *     at org.eclipse.ui.internal.presentations.util.AbstractTabFolder.fireEvent(AbstractTabFolder.java:276)*
    *     at org.eclipse.ui.internal.presentations.defaultpresentation.DefaultTabFolder.access$1(DefaultTabFolder.java:1)*
    *     at org.eclipse.ui.internal.presentations.defaultpresentation.DefaultTabFolder$2.handleEvent(DefaultTabFolder.java:87)*
    *     at org.eclipse.swt.widgets.EventTable.sendEvent(EventTable.java:84)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1003)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1027)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1012)*
    *     at org.eclipse.swt.widgets.Widget.notifyListeners(Widget.java:770)*
    *     at org.eclipse.swt.custom.CTabFolder.setSelection(CTabFolder.java:3242)*
    *     at org.eclipse.swt.custom.CTabFolder.onMouse(CTabFolder.java:2017)*
    *     at org.eclipse.swt.custom.CTabFolder$1.handleEvent(CTabFolder.java:320)*
    *     at org.eclipse.swt.widgets.EventTable.sendEvent(EventTable.java:84)*
    *     at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1003)*
    *     at org.eclipse.swt.widgets.Display.runDeferredEvents(Display.java:3823)*
    *     at org.eclipse.swt.widgets.Display.readAndDispatch(Display.java:3422)*
    *     at org.eclipse.ui.internal.Workbench.runEventLoop(Workbench.java:2382)*
    *     at org.eclipse.ui.internal.Workbench.runUI(Workbench.java:2346)*
    *     at org.eclipse.ui.internal.Workbench.access$4(Workbench.java:2198)*
    *     at org.eclipse.ui.internal.Workbench$5.run(Workbench.java:493)*
    *     at org.eclipse.core.databinding.observable.Realm.runWithDefault(Realm.java:288)*
    *     at org.eclipse.ui.internal.Workbench.createAndRunWorkbench(Workbench.java:488)*
    *     at org.eclipse.ui.PlatformUI.createAndRunWorkbench(PlatformUI.java:149)*
    *     at org.eclipse.ui.internal.ide.application.IDEApplication.start(IDEApplication.java:113)*
    *     at org.eclipse.equinox.internal.app.EclipseAppHandle.run(EclipseAppHandle.java:193)*
    *     at org.eclipse.core.runtime.internal.adaptor.EclipseAppLauncher.runApplication(EclipseAppLauncher.java:110)*
    *     at org.eclipse.core.runtime.internal.adaptor.EclipseAppLauncher.start(EclipseAppLauncher.java:79)*
    *     at org.eclipse.core.runtime.adaptor.EclipseStarter.run(EclipseStarter.java:386)*
    *     at org.eclipse.core.runtime.adaptor.EclipseStarter.run(EclipseStarter.java:179)*
    *     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)*
    *     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)*
    *     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)*
    *     at java.lang.reflect.Method.invoke(Method.java:597)*
    *     at org.eclipse.equinox.launcher.Main.invokeFramework(Main.java:549)*
    *     at org.eclipse.equinox.launcher.Main.basicRun(Main.java:504)*
    *     at org.eclipse.equinox.launcher.Main.run(Main.java:1236)*
    *     at org.eclipse.equinox.launcher.Main.main(Main.java:1212)*
    *Caused by: oracle.oats.utilities.db.exceptions.DisconnectDbException: Verify if database connection exists for C:\OracleATS\OFT\iTube3\results\Session3\data*
    *     at oracle.oats.utilities.db.JavaDbSystem.executeQuery(JavaDbSystem.java:335)*
    *     at oracle.oats.utilities.db.core.ElementDao.selectParentId(ElementDao.java:215)*
    *     at oracle.oats.utilities.db.DatabasePersister.getParentIdFor(DatabasePersister.java:89)*
    *     at oracle.oats.scripting.models.store.util.db.ModelDBPersistence.getElementParentId(ModelDBPersistence.java:278)*
    *     ... 104 more*
    *Caused by: java.sql.SQLNonTransientConnectionException: No current connection.*
    *     at org.apache.derby.impl.jdbc.SQLExceptionFactory40.getSQLException(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.Util.noCurrentConnection(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.EmbedConnection.checkIfClosed(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.EmbedConnection.setupContextStack(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.EmbedConnection.prepareStatement(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.EmbedConnection.prepareStatement(Unknown Source)*
    *     at oracle.oats.utilities.db.util.SQLUtils.prepare(SQLUtils.java:307)*
    *     at oracle.oats.utilities.db.StatementFactory.makeStatement(StatementFactory.java:20)*
    *     at oracle.oats.utilities.db.PreparedStatementCache.addStatement(PreparedStatementCache.java:38)*
    *     at oracle.oats.utilities.db.JavaDbSystem.executeQuery(JavaDbSystem.java:316)*
    *     ... 107 more*
    *Caused by: java.sql.SQLException: No current connection.*
    *     at org.apache.derby.impl.jdbc.SQLExceptionFactory.getSQLException(Unknown Source)*
    *     at org.apache.derby.impl.jdbc.SQLExceptionFactory40.wrapArgsForTransportAcrossDRDA(Unknown Source)*
    *     ... 119 more*
    And in Debug tag I am getting the following errors:
    *"<disconnected>org.eclipse.equinox.launcher.Main at localhost:59115"*
    I am working with OATS on company network and also I am using the correct proxy setting(confirmed). When i tried recording a company internal web application(No Proxy Required) its still giving same proxy errors.
    Error results are always changeing when I change my Port No. for proxy setting (Default Port No for my network is 8080).
    For port No 8080 following error is displayed result tab:
    *"Failed     HTTP response code: 407 Proxy Authentication Required ( Access is denied. )      "*
    For port no 7777 & 443 following error is displayed in the result tab: (Have changed the proxy server address to "xyz"):
    *Failed     The attempt to connect to the server xyzproxy.xyz.com on port 7777 failed.*
    *Comparable WinInet error code: Error 12029: ERROR_INTERNET_CANNOT_CONNECT. Caused by: java.net.ConnectException occurred. Error Message:Connection timed out: connect*
    I have just disabled the cookies from my script, no other changes have been made(no parametrization and no correlation as of now).
    I have tried everything with port numbers and also with Playback settings in openscript preference for proxy, tried to playback the script with proxy, without proxy for both the type of applications, company internal and external but still the same errors.
    Anyone please suggest me a solution to this problem.
    Thanks,
    Abhi.
    Edited by: 1002084 on Apr 25, 2013 12:12 AM

    Hi,
    I think your password is encrypted. Try replace password "a99fad1866af01d9375627d5d08d7f1c11ed4d3f6d5d2372d40908884a15b8e6" with your password.
    Or Get output of obfuscate("your password") and replace "a99fad1866af01d9375627d5d08d7f1c11ed4d3f6d5d2372d40908884a15b8e6" with {{@deobfuscate( output of obfuscate("your password") )}}
    Regards,
    Deepu M

  • Safari cannot open the page ~ The error was: "There was a problem communicating with the web proxy server (HTTP)

    Help!  I was cruzing along just fine and went out tonight only to receive the message above:
    Cannot open Page
    Safari cannot open the page
    The error was: "There was a problem communicating with the web proxy server (HTTP)."
    I have had all the Apple iPhone phone.  Have never encountered anything like this. 
    All systems are GO as soon as I log on to wifi. 
    Can anyone help, please. 

    I am also fixed.  I also loaded Onavo, but that was the other day ... this is what I did with the help of online chat with AT&T ...
    I went to:
    Settings
    Wifi
    I selected the network I was working on by hitting the blue arrow located on right side
    At the detail page of that network I scolled down to the bottom to find HTTP Proxy boxes
    I was on Off and changed it to Auto and it worked! 
    I was soo jazzed!!
    Instructions said if it was already on AUTO, to change it to Manual and make your Port = 80 but I didn't have to do that!
    YIPPIE!!  I'm a new man!!
    Go to settings -----> WI-FI  -----> select the network you're using  ------> hit the blue arrow located on the right-side of the network name (ie: show details of that network), this takes you to another page.  
    --------> at the bottom of the page you'll see "HTTP Proxy" boxes (located below the "renew lease" button) ---------------> change the proxy to AUTO.   Note: if you're already at AUTO, change it to "Manual" and make your Port = 80.

  • How to resolve HTTP/1.1 407 Proxy Authorization Required issue

    Dear Sir,
    I am getting following error when connecting from SQL developer to oracle cloud. I have tested both on SQL developer 3.2.20.09.87 and sqldeveloper-4.0.2.15.21. but getting the same error as below.
    request your in getting the resolution for the same. thanks in advance
    HTTP/1.1 407 Proxy Authorization Required:
    oracle.dbtools.raptor.cloud.auth.AuthenticationFailedException: HTTP/1.1 407 Proxy Authorization Required
      at oracle.dbtools.raptor.cloud.auth.basic.BasicAuthenticationEngine.doPost(BasicAuthenticationEngine.java:162)
      at oracle.dbtools.raptor.cloud.auth.basic.BasicAuthenticationEngine.authenticate(BasicAuthenticationEngine.java:63)
      at oracle.dbtools.raptor.cloud.auth.basic.GUIBasicAuthenticationEngine.authenticate(GUIBasicAuthenticationEngine.java:26)
      at oracle.dbtools.raptor.cloud.connection.ConnectionCreator.createConnection(ConnectionCreator.java:24)
      at oracle.dbtools.raptor.cloud.connection.CConnections$C.getConnection(CConnections.java:39)
      at oracle.dbtools.raptor.cloud.connection.CConnections.getConnection(CConnections.java:176)
      at oracle.dbtools.raptor.cloud.navigator.CloudConnection.openConnectionImpl(CloudConnection.java:127)
      at oracle.dbtools.raptor.cloud.navigator.CloudConnection.getConnection(CloudConnection.java:89)
      at oracle.dbtools.raptor.cloud.navigator.ConnectionTreeNode$LoadTask.doWork(ConnectionTreeNode.java:74)
      at oracle.dbtools.raptor.cloud.navigator.ConnectionTreeNode$LoadTask.doWork(ConnectionTreeNode.java:38)
      at oracle.dbtools.raptor.backgroundTask.RaptorTask.call(RaptorTask.java:193)
      at java.util.concurrent.FutureTask.run(FutureTask.java:262)
      at oracle.dbtools.raptor.backgroundTask.RaptorTaskManager$RaptorFutureTask.run(RaptorTaskManager.java:554)
      at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:471)
      at java.util.concurrent.FutureTask.run(FutureTask.java:262)
      at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1145)
      at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:615)
      at java.lang.Thread.run(Thread.java:745)
    Caused by: java.io.IOException: HTTP/1.1 407 Proxy Authorization Required
      at oracle.dbtools.raptor.cloud.auth.basic.BasicAuthenticationHandler.handleError(BasicAuthenticationHandler.java:250)
      at oracle.dbtools.raptor.cloud.auth.basic.BasicAuthenticationHandler.handleError(BasicAuthenticationHandler.java:24)
      at oracle.dbtools.raptor.cloud.connection.CloudHander.handleResponse(CloudHander.java:38)
      at org.apache.http.impl.client.AbstractHttpClient.execute(AbstractHttpClient.java:945)
      at org.apache.http.impl.client.AbstractHttpClient.execute(AbstractHttpClient.java:919)
      at org.apache.http.impl.client.AbstractHttpClient.execute(AbstractHttpClient.java:910)
      at oracle.dbtools.raptor.cloud.connection.DefaultClient.executeRequest(DefaultClient.java:96)
      at oracle.dbtools.raptor.cloud.auth.basic.BasicAuthenticationEngine.doPost(BasicAuthenticationEngine.java:153)
      ... 17 more
    Regards,
    Deenanath
    Message was edited by: 2803956
    Hi Brian,
    I did settings for Database and SFTP only. The advanced setting on "new cloud connection" screen fills automatically. when I tried to remove the advanced setting such as host name, port, server path and service name. then it is asking for hostname.
    After doing all the steps i am facing the same issue of " HTTP/1.1 407 Proxy Authorization Required".
    Could you please help me to resolve the issue?
    Thanks for your help and support.

    Did you set up your HTTP Proxies inside of the settings in SQL Developer? Does the particular database you are attempting to access, does the proxy server need authentication? Again, check the http proxy options in sql developer.
    https://docs.oracle.com/cd/E11882_01/doc.112/e12152/intro.htm#CIHFCGCD

  • Receiving document with AS2 over http

    In Oracle B2B if I have to receive the document with AS2 over http, what can be the URL? The fusion server is running in a linux server. There is a folder in that server where we can preserve the incoming files for further processing.

    Hi Anuj,
    The solution you have provided work, in the sense that the b2b server is receiving the file.
    But after the receipt I am seeing two errors, the sender is sending a text file, with the name xxxx.txt.
    The errors are:
    : B2B-50083 (error severity: error)
    Error Description Machine Info: <machine name>) Document protocol identification error.
    Error Level ERROR_LEVEL_COLLABORATION
    Error Severity ERROR
    Error Text Document protocol identification error.
    B2B-50079 ( (error severity: information)
    Error Description Machine Info: (<machinename>) Transport error: [IPT_HttpSendError] HTTP encounters send error :404 <!DOCTYPE HTML PUBLIC "-//IETF//DTD HTML 2.0//EN"> <html><head> <title>404 Not Found</title> </head><body> <h1>Not Found</h1> <p>Sorry!The page requested was not found.</p> </body></html> .
    Error Level ERROR_LEVEL_COLLABORATION
    Error Severity INFORMATION
    Error Text Transport error: [IPT_HttpSendError] HTTP encounters send error :404 <!DOCTYPE HTML PUBLIC "-//IETF//DTD HTML 2.0//EN"> <html><head> <title>404 Not Found</title> </head><body> <h1>Not Found</h1> <p>Sorry!The page requested was not found.</p> </body></html> .
    In the agreement, I did not put any validation against any schema file.

  • Office 365 ProPlus Shared Computer Activation - users are prompted to activate, proxy issue?

    Hi all,
    We're currently testing the roll-out of Office 365 ProPlus with shared computer activation but are having problems with Office automatically activating (with no user prompts) when using our web proxy.
    I've already added proxy exceptions (in our PAC file) for the 'Office 365 portal and identity' and 'Office 365 ProPlus' URLs (not Content Delivery Network) from
    https://technet.microsoft.com/en-us/library/hh373144.aspx but test licensed Office 365 E4 users still get the 'Activate Office' prompt and even if they enter in their credentials are ultimately
    told 'There is a problem with your account. Please try again later'.
    Testing this on a computer not directed through the web proxy works fine and users get no pop-ups whatsoever and Office is licensed.
    The problem is I can check the traffic passing through the proxy in real-time and no traffic destined for any of the URLs on the TechNet page actually goes out over the proxy, indeed there is no Microsoft orientated traffic at all. It's as if simply
    specifying a proxy on IE's connection settings breaks shared computer activation.
    I'm in the process of a support case with our web proxy company itself but if there's anyone out there who can shed any light on this it'd be appreciated.
    Thanks in advance.

    Read this:
    https://technet.microsoft.com/en-us/library/gg702620.aspx
    Next read this:
    http://blogs.technet.com/b/neiljohn/archive/2012/01/26/office-365-proxy-server-exclusion-list-office-365-service-url-s.aspx
    Last: My workaround that's about 6 months old:I
    went through the same issue with Websense Cloud Web Security Gateway in my RDSH environment.
    Off and on, and seemingly without provocation, users would be prompted for credentials and these credentials would sometimes be accepted and other times they could just cancel out and continue working.
    I chalked this up to Microsoft's continual tuning and scaling of their cloud environment (we use Office 365).  I suspect Websense was not able to add hosts fast enough and the authentication issue just popped up from time to time.
    My solution? A workaround...set the list of recommended MS servers on "bypass" so that any traffic destined to these servers Websense would essentially permit without interference.
    Best of luck to you.

  • Iphone 5s black screen with Voice Over On

    I turned on Voice Over on my iphone 5s and it started to repeat everything, so I had to punch 2 or 3 times some commands in order to go back and suddenly my screen blacked out. I have tried to restart the iPhone and can see the silver apple, but again I can hear the commands (I can still hear all the commands (Voice Over On, Screen Curtain On, 8:45, Screen Locked) but can’t see anything on the screen. Please help!

    Hello promomap,
    Thank you for the details of the issue you are experiencing with Voice Over.  Try turning off the Screen Curtain by triple tapping the screen with three fingers.
    Additionally, you can turn Voice Over off completely using these steps:
    Press the home button three times quickly. This is also called "Triple-click Home".
    If the VoiceOver feature still is on, you can navigate to Settings > General > Accessibility and turn VoiceOver off here.
    If it is too difficult to access those settings on your iPhone, you can turn VoiceOver off using iTunes:
    Managing accessibility features using iTunes
    Connect your iPhone, iPad, or iPod touch to any computer with iTunes installed.
    In iTunes, select your device.
    From the Summary pane, click Configure Universal Access in the Options section at the bottom.
    Select the feature you would like to use and click OK.
    You can find the full article here:
    iOS: Configuring accessibility features
    http://support.apple.com/kb/HT5018
    Thank you for using Apple Support Communities.
    Best,
    Sheila M.

  • [solved] Owncloud over SSL: http works, but over https only apache

    Hello,
    I try to setup owncloud with SSL.
    Accessing over http works, but over https, I reach the default apache page instead of the owncloud page.
    (I set up SSL according to https://wiki.archlinux.org/index.php/LAMP#SSL )
    How could I make the owncloud site available over https?
    relevant files:
    owncloud.conf:
    <IfModule mod_alias.c>
    Alias /owncloud /usr/share/webapps/owncloud/
    </IfModule>
    <Directory /usr/share/webapps/owncloud/>
    Options FollowSymlinks
    Require all granted
    php_admin_value open_basedir "/srv/http/:/home/:/tmp/:/usr/share/pear/:/usr/share/webapps/owncloud/:/etc/webapps/owncloud/:/mt/daten/owncloud/"
    </Directory>
    <VirtualHost *:80>
    ServerAdmin [email protected]
    DocumentRoot /usr/share/webapps/owncloud
    ServerName http://example.com/owncloud
    </VirtualHost>
    I tried to change 80 to 443, but then, systemctl restart httpd didn't work. (apache failed)
    httpd.conf:
    # This is the main Apache HTTP server configuration file. It contains the
    # configuration directives that give the server its instructions.
    # See <URL:http://httpd.apache.org/docs/2.4/> for detailed information.
    # In particular, see
    # <URL:http://httpd.apache.org/docs/2.4/mod/directives.html>
    # for a discussion of each configuration directive.
    # Do NOT simply read the instructions in here without understanding
    # what they do. They're here only as hints or reminders. If you are unsure
    # consult the online docs. You have been warned.
    # Configuration and logfile names: If the filenames you specify for many
    # of the server's control files begin with "/" (or "drive:/" for Win32), the
    # server will use that explicit path. If the filenames do *not* begin
    # with "/", the value of ServerRoot is prepended -- so "logs/access_log"
    # with ServerRoot set to "/usr/local/apache2" will be interpreted by the
    # server as "/usr/local/apache2/logs/access_log", whereas "/logs/access_log"
    # will be interpreted as '/logs/access_log'.
    # ServerRoot: The top of the directory tree under which the server's
    # configuration, error, and log files are kept.
    # Do not add a slash at the end of the directory path. If you point
    # ServerRoot at a non-local disk, be sure to specify a local disk on the
    # Mutex directive, if file-based mutexes are used. If you wish to share the
    # same ServerRoot for multiple httpd daemons, you will need to change at
    # least PidFile.
    ServerRoot "/etc/httpd"
    # Mutex: Allows you to set the mutex mechanism and mutex file directory
    # for individual mutexes, or change the global defaults
    # Uncomment and change the directory if mutexes are file-based and the default
    # mutex file directory is not on a local disk or is not appropriate for some
    # other reason.
    # Mutex default:/run/httpd
    # Listen: Allows you to bind Apache to specific IP addresses and/or
    # ports, instead of the default. See also the <VirtualHost>
    # directive.
    # Change this to Listen on specific IP addresses as shown below to
    # prevent Apache from glomming onto all bound IP addresses.
    #Listen 12.34.56.78:80
    Listen 80
    <IfModule mod_ssl.c>
    Listen 443
    </IfModule>
    # Dynamic Shared Object (DSO) Support
    # To be able to use the functionality of a module which was built as a DSO you
    # have to place corresponding `LoadModule' lines at this location so the
    # directives contained in it are actually available _before_ they are used.
    # Statically compiled modules (those listed by `httpd -l') do not need
    # to be loaded here.
    # Example:
    # LoadModule foo_module modules/mod_foo.so
    LoadModule authn_file_module modules/mod_authn_file.so
    #LoadModule authn_dbm_module modules/mod_authn_dbm.so
    #LoadModule authn_anon_module modules/mod_authn_anon.so
    #LoadModule authn_dbd_module modules/mod_authn_dbd.so
    #LoadModule authn_socache_module modules/mod_authn_socache.so
    LoadModule authn_core_module modules/mod_authn_core.so
    LoadModule authz_host_module modules/mod_authz_host.so
    LoadModule authz_groupfile_module modules/mod_authz_groupfile.so
    LoadModule authz_user_module modules/mod_authz_user.so
    #LoadModule authz_dbm_module modules/mod_authz_dbm.so
    #LoadModule authz_owner_module modules/mod_authz_owner.so
    #LoadModule authz_dbd_module modules/mod_authz_dbd.so
    LoadModule authz_core_module modules/mod_authz_core.so
    #LoadModule authnz_ldap_module modules/mod_authnz_ldap.so
    LoadModule access_compat_module modules/mod_access_compat.so
    LoadModule auth_basic_module modules/mod_auth_basic.so
    #LoadModule auth_form_module modules/mod_auth_form.so
    #LoadModule auth_digest_module modules/mod_auth_digest.so
    #LoadModule allowmethods_module modules/mod_allowmethods.so
    #LoadModule file_cache_module modules/mod_file_cache.so
    #LoadModule cache_module modules/mod_cache.so
    #LoadModule cache_disk_module modules/mod_cache_disk.so
    #LoadModule cache_socache_module modules/mod_cache_socache.so
    LoadModule socache_shmcb_module modules/mod_socache_shmcb.so
    #LoadModule socache_dbm_module modules/mod_socache_dbm.so
    #LoadModule socache_memcache_module modules/mod_socache_memcache.so
    #LoadModule watchdog_module modules/mod_watchdog.so
    #LoadModule macro_module modules/mod_macro.so
    #LoadModule dbd_module modules/mod_dbd.so
    #LoadModule dumpio_module modules/mod_dumpio.so
    #LoadModule echo_module modules/mod_echo.so
    #LoadModule buffer_module modules/mod_buffer.so
    #LoadModule data_module modules/mod_data.so
    #LoadModule ratelimit_module modules/mod_ratelimit.so
    LoadModule reqtimeout_module modules/mod_reqtimeout.so
    #LoadModule ext_filter_module modules/mod_ext_filter.so
    #LoadModule request_module modules/mod_request.so
    LoadModule include_module modules/mod_include.so
    LoadModule filter_module modules/mod_filter.so
    #LoadModule reflector_module modules/mod_reflector.so
    #LoadModule substitute_module modules/mod_substitute.so
    #LoadModule sed_module modules/mod_sed.so
    #LoadModule charset_lite_module modules/mod_charset_lite.so
    #LoadModule deflate_module modules/mod_deflate.so
    #LoadModule xml2enc_module modules/mod_xml2enc.so
    #LoadModule proxy_html_module modules/mod_proxy_html.so
    LoadModule mime_module modules/mod_mime.so
    #LoadModule ldap_module modules/mod_ldap.so
    LoadModule log_config_module modules/mod_log_config.so
    #LoadModule log_debug_module modules/mod_log_debug.so
    #LoadModule log_forensic_module modules/mod_log_forensic.so
    #LoadModule logio_module modules/mod_logio.so
    #LoadModule lua_module modules/mod_lua.so
    LoadModule env_module modules/mod_env.so
    #LoadModule mime_magic_module modules/mod_mime_magic.so
    #LoadModule cern_meta_module modules/mod_cern_meta.so
    #LoadModule expires_module modules/mod_expires.so
    LoadModule headers_module modules/mod_headers.so
    #LoadModule ident_module modules/mod_ident.so
    #LoadModule usertrack_module modules/mod_usertrack.so
    #LoadModule unique_id_module modules/mod_unique_id.so
    LoadModule setenvif_module modules/mod_setenvif.so
    LoadModule version_module modules/mod_version.so
    #LoadModule remoteip_module modules/mod_remoteip.so
    LoadModule proxy_module modules/mod_proxy.so
    LoadModule proxy_connect_module modules/mod_proxy_connect.so
    LoadModule proxy_ftp_module modules/mod_proxy_ftp.so
    LoadModule proxy_http_module modules/mod_proxy_http.so
    LoadModule proxy_fcgi_module modules/mod_proxy_fcgi.so
    LoadModule proxy_scgi_module modules/mod_proxy_scgi.so
    #LoadModule proxy_fdpass_module modules/mod_proxy_fdpass.so
    LoadModule proxy_wstunnel_module modules/mod_proxy_wstunnel.so
    LoadModule proxy_ajp_module modules/mod_proxy_ajp.so
    LoadModule proxy_balancer_module modules/mod_proxy_balancer.so
    LoadModule proxy_express_module modules/mod_proxy_express.so
    #LoadModule session_module modules/mod_session.so
    #LoadModule session_cookie_module modules/mod_session_cookie.so
    #LoadModule session_crypto_module modules/mod_session_crypto.so
    #LoadModule session_dbd_module modules/mod_session_dbd.so
    LoadModule slotmem_shm_module modules/mod_slotmem_shm.so
    #LoadModule slotmem_plain_module modules/mod_slotmem_plain.so
    LoadModule ssl_module modules/mod_ssl.so
    #LoadModule dialup_module modules/mod_dialup.so
    LoadModule lbmethod_byrequests_module modules/mod_lbmethod_byrequests.so
    LoadModule lbmethod_bytraffic_module modules/mod_lbmethod_bytraffic.so
    LoadModule lbmethod_bybusyness_module modules/mod_lbmethod_bybusyness.so
    LoadModule lbmethod_heartbeat_module modules/mod_lbmethod_heartbeat.so
    #LoadModule mpm_event_module modules/mod_mpm_event.so
    LoadModule mpm_prefork_module modules/mod_mpm_prefork.so
    LoadModule unixd_module modules/mod_unixd.so
    #LoadModule heartbeat_module modules/mod_heartbeat.so
    #LoadModule heartmonitor_module modules/mod_heartmonitor.so
    #LoadModule dav_module modules/mod_dav.so
    LoadModule status_module modules/mod_status.so
    LoadModule autoindex_module modules/mod_autoindex.so
    #LoadModule asis_module modules/mod_asis.so
    #LoadModule info_module modules/mod_info.so
    #LoadModule suexec_module modules/mod_suexec.so
    #LoadModule cgid_module modules/mod_cgid.so
    #LoadModule cgi_module modules/mod_cgi.so
    #LoadModule dav_fs_module modules/mod_dav_fs.so
    #LoadModule dav_lock_module modules/mod_dav_lock.so
    #LoadModule vhost_alias_module modules/mod_vhost_alias.so
    LoadModule negotiation_module modules/mod_negotiation.so
    LoadModule dir_module modules/mod_dir.so
    #LoadModule imagemap_module modules/mod_imagemap.so
    #LoadModule actions_module modules/mod_actions.so
    #LoadModule speling_module modules/mod_speling.so
    LoadModule userdir_module modules/mod_userdir.so
    LoadModule alias_module modules/mod_alias.so
    #LoadModule rewrite_module modules/mod_rewrite.so
    #own additions:
    LoadModule php5_module modules/libphp5.so
    <IfModule unixd_module>
    # If you wish httpd to run as a different user or group, you must run
    # httpd as root initially and it will switch.
    # User/Group: The name (or #number) of the user/group to run httpd as.
    # It is usually good practice to create a dedicated user and group for
    # running httpd, as with most system services.
    User http
    Group http
    </IfModule>
    # 'Main' server configuration
    # The directives in this section set up the values used by the 'main'
    # server, which responds to any requests that aren't handled by a
    # <VirtualHost> definition. These values also provide defaults for
    # any <VirtualHost> containers you may define later in the file.
    # All of these directives may appear inside <VirtualHost> containers,
    # in which case these default settings will be overridden for the
    # virtual host being defined.
    # ServerAdmin: Your address, where problems with the server should be
    # e-mailed. This address appears on some server-generated pages, such
    # as error documents. e.g. [email protected]
    ServerAdmin [email protected]
    # ServerName gives the name and port that the server uses to identify itself.
    # This can often be determined automatically, but we recommend you specify
    # it explicitly to prevent problems during startup.
    # If your host doesn't have a registered DNS name, enter its IP address here.
    #ServerName www.example.com:80
    # Deny access to the entirety of your server's filesystem. You must
    # explicitly permit access to web content directories in other
    # <Directory> blocks below.
    <Directory />
    Options FollowSymLinks
    AllowOverride none
    Require all denied
    </Directory>
    # Note that from this point forward you must specifically allow
    # particular features to be enabled - so if something's not working as
    # you might expect, make sure that you have specifically enabled it
    # below.
    # DocumentRoot: The directory out of which you will serve your
    # documents. By default, all requests are taken from this directory, but
    # symbolic links and aliases may be used to point to other locations.
    DocumentRoot "/srv/http"
    <Directory "/srv/http">
    # Possible values for the Options directive are "None", "All",
    # or any combination of:
    # Indexes Includes FollowSymLinks SymLinksifOwnerMatch ExecCGI MultiViews
    # Note that "MultiViews" must be named *explicitly* --- "Options All"
    # doesn't give it to you.
    # The Options directive is both complicated and important. Please see
    # http://httpd.apache.org/docs/2.4/mod/core.html#options
    # for more information.
    Options Indexes FollowSymLinks
    # AllowOverride controls what directives may be placed in .htaccess files.
    # It can be "All", "None", or any combination of the keywords:
    # AllowOverride FileInfo AuthConfig Limit
    AllowOverride None
    # Controls who can get stuff from this server.
    Require all granted
    </Directory>
    # DirectoryIndex: sets the file that Apache will serve if a directory
    # is requested.
    <IfModule dir_module>
    DirectoryIndex index.html
    </IfModule>
    # The following lines prevent .htaccess and .htpasswd files from being
    # viewed by Web clients.
    <Files ".ht*">
    Require all denied
    </Files>
    # ErrorLog: The location of the error log file.
    # If you do not specify an ErrorLog directive within a <VirtualHost>
    # container, error messages relating to that virtual host will be
    # logged here. If you *do* define an error logfile for a <VirtualHost>
    # container, that host's errors will be logged there and not here.
    ErrorLog "/var/log/httpd/error_log"
    # LogLevel: Control the number of messages logged to the error_log.
    # Possible values include: debug, info, notice, warn, error, crit,
    # alert, emerg.
    LogLevel warn
    <IfModule log_config_module>
    # The following directives define some format nicknames for use with
    # a CustomLog directive (see below).
    LogFormat "%h %l %u %t \"%r\" %>s %b \"%{Referer}i\" \"%{User-Agent}i\"" combined
    LogFormat "%h %l %u %t \"%r\" %>s %b" common
    <IfModule logio_module>
    # You need to enable mod_logio.c to use %I and %O
    LogFormat "%h %l %u %t \"%r\" %>s %b \"%{Referer}i\" \"%{User-Agent}i\" %I %O" combinedio
    </IfModule>
    # The location and format of the access logfile (Common Logfile Format).
    # If you do not define any access logfiles within a <VirtualHost>
    # container, they will be logged here. Contrariwise, if you *do*
    # define per-<VirtualHost> access logfiles, transactions will be
    # logged therein and *not* in this file.
    CustomLog "/var/log/httpd/access_log" common
    # If you prefer a logfile with access, agent, and referer information
    # (Combined Logfile Format) you can use the following directive.
    #CustomLog "/var/log/httpd/access_log" combined
    </IfModule>
    <IfModule alias_module>
    # Redirect: Allows you to tell clients about documents that used to
    # exist in your server's namespace, but do not anymore. The client
    # will make a new request for the document at its new location.
    # Example:
    # Redirect permanent /foo http://www.example.com/bar
    # Alias: Maps web paths into filesystem paths and is used to
    # access content that does not live under the DocumentRoot.
    # Example:
    # Alias /webpath /full/filesystem/path
    # If you include a trailing / on /webpath then the server will
    # require it to be present in the URL. You will also likely
    # need to provide a <Directory> section to allow access to
    # the filesystem path.
    # ScriptAlias: This controls which directories contain server scripts.
    # ScriptAliases are essentially the same as Aliases, except that
    # documents in the target directory are treated as applications and
    # run by the server when requested rather than as documents sent to the
    # client. The same rules about trailing "/" apply to ScriptAlias
    # directives as to Alias.
    ScriptAlias /cgi-bin/ "/srv/http/cgi-bin/"
    </IfModule>
    <IfModule cgid_module>
    # ScriptSock: On threaded servers, designate the path to the UNIX
    # socket used to communicate with the CGI daemon of mod_cgid.
    #Scriptsock cgisock
    </IfModule>
    # "/srv/http/cgi-bin" should be changed to whatever your ScriptAliased
    # CGI directory exists, if you have that configured.
    <Directory "/srv/http/cgi-bin">
    AllowOverride None
    Options None
    Require all granted
    </Directory>
    <IfModule mime_module>
    # TypesConfig points to the file containing the list of mappings from
    # filename extension to MIME-type.
    TypesConfig conf/mime.types
    # AddType allows you to add to or override the MIME configuration
    # file specified in TypesConfig for specific file types.
    #AddType application/x-gzip .tgz
    # AddEncoding allows you to have certain browsers uncompress
    # information on the fly. Note: Not all browsers support this.
    #AddEncoding x-compress .Z
    #AddEncoding x-gzip .gz .tgz
    # If the AddEncoding directives above are commented-out, then you
    # probably should define those extensions to indicate media types:
    AddType application/x-compress .Z
    AddType application/x-gzip .gz .tgz
    # AddHandler allows you to map certain file extensions to "handlers":
    # actions unrelated to filetype. These can be either built into the server
    # or added with the Action directive (see below)
    # To use CGI scripts outside of ScriptAliased directories:
    # (You will also need to add "ExecCGI" to the "Options" directive.)
    #AddHandler cgi-script .cgi
    # For type maps (negotiated resources):
    #AddHandler type-map var
    # Filters allow you to process content before it is sent to the client.
    # To parse .shtml files for server-side includes (SSI):
    # (You will also need to add "Includes" to the "Options" directive.)
    #AddType text/html .shtml
    #AddOutputFilter INCLUDES .shtml
    </IfModule>
    # The mod_mime_magic module allows the server to use various hints from the
    # contents of the file itself to determine its type. The MIMEMagicFile
    # directive tells the module where the hint definitions are located.
    #MIMEMagicFile conf/magic
    # Customizable error responses come in three flavors:
    # 1) plain text 2) local redirects 3) external redirects
    # Some examples:
    #ErrorDocument 500 "The server made a boo boo."
    #ErrorDocument 404 /missing.html
    #ErrorDocument 404 "/cgi-bin/missing_handler.pl"
    #ErrorDocument 402 http://www.example.com/subscription_info.html
    # MaxRanges: Maximum number of Ranges in a request before
    # returning the entire resource, or one of the special
    # values 'default', 'none' or 'unlimited'.
    # Default setting is to accept 200 Ranges.
    #MaxRanges unlimited
    # EnableMMAP and EnableSendfile: On systems that support it,
    # memory-mapping or the sendfile syscall may be used to deliver
    # files. This usually improves server performance, but must
    # be turned off when serving from networked-mounted
    # filesystems or if support for these functions is otherwise
    # broken on your system.
    # Defaults: EnableMMAP On, EnableSendfile Off
    #EnableMMAP off
    #EnableSendfile on
    # Supplemental configuration
    # The configuration files in the conf/extra/ directory can be
    # included to add extra features or to modify the default configuration of
    # the server, or you may simply copy their contents here and change as
    # necessary.
    # Server-pool management (MPM specific)
    Include conf/extra/httpd-mpm.conf
    # Multi-language error messages
    Include conf/extra/httpd-multilang-errordoc.conf
    # Fancy directory listings
    Include conf/extra/httpd-autoindex.conf
    # Language settings
    Include conf/extra/httpd-languages.conf
    # User home directories
    Include conf/extra/httpd-userdir.conf
    # Real-time info on requests and configuration
    #Include conf/extra/httpd-info.conf
    # Virtual hosts
    #Include conf/extra/httpd-vhosts.conf
    # Local access to the Apache HTTP Server Manual
    #Include conf/extra/httpd-manual.conf
    # Distributed authoring and versioning (WebDAV)
    #Include conf/extra/httpd-dav.conf
    # Various default settings
    Include conf/extra/httpd-default.conf
    # Include owncloud
    Include /etc/httpd/conf/extra/owncloud.conf
    Include conf/extra/php5_module.conf
    # Configure mod_proxy_html to understand HTML4/XHTML1
    <IfModule proxy_html_module>
    Include conf/extra/proxy-html.conf
    </IfModule>
    # Secure (SSL/TLS) connections
    Include conf/extra/httpd-ssl.conf
    # Note: The following must must be present to support
    # starting without SSL on platforms with no /dev/random equivalent
    # but a statically compiled-in mod_ssl.
    <IfModule ssl_module>
    SSLRandomSeed startup builtin
    SSLRandomSeed connect builtin
    </IfModule>
    # uncomment out the below to deal with user agents that deliberately
    # violate open standards by misusing DNT (DNT *must* be a specific
    # end-user choice)
    #<IfModule setenvif_module>
    #BrowserMatch "MSIE 10.0;" bad_DNT
    #</IfModule>
    #<IfModule headers_module>
    #RequestHeader unset DNT env=bad_DNT
    #</IfModule>
    thanks!
    Last edited by Carl Karl (2014-05-06 07:40:53)

    OK, solved.
    What I made wrong:
    https://localhost leads to the apache page
    https://localhost/owncloud leads to the owncloud page.
    (Just as an information if there are other apache noobs like me...)

  • Web Service authentication and PROXY Issue

    HI All,
    Recently I developed an application in Flex 2 which uses
    webservices to access remote data.One more point to be noted, that
    these webservices are secured( i.e they need username and password
    to access)
    I got a production server ( say
    myProduction server) and all my webservices are deployed on
    it. We have a SAP portal running on this server. I have created a
    PAR file of my applications .SWF file and hosted it on the portal.
    When I run my application from myProduction, it runs fine, no
    issues with it.
    Now, I have a proxy server ( say
    myProxy server), which is used to make my application
    available on the internet.
    This proxy redirects all the requests to myProduction server.
    When I try to run my application from myProxy Server, I am
    getting the following error:
    [RPC Fault faultString="Security error accessing url"
    faultCode=
    Channel.Security.Error"
    faultDetail="Unable to load WSDL". If currently online,
    please verify the URI and/or format of the WSDL (
    http://myProduction:50000/WS_Resource/Config1?wsdl&style=rpc_enc)"
    at mx.rpc.soap::WSDLParser/::dispatchFault()
    at mx.rpc.soap::WSDLParser/
    http://www.adobe.com/2006/flex/mx/internal::httpFaultHandler()
    at
    flash.events::EventDispatcher/flash.events:EventDispatcher::dispatchEventFunction()
    at flash.events::EventDispatcher/dispatchEvent()
    at mx.rpc::AbstractInvoker/
    http://www.adobe.com/2006/flex/mx/internal::dispatchRpcEvent()
    at mx.rpc::AbstractInvoker/
    http://www.adobe.com/2006/flex/mx/internal::faultHandler()
    at mx.rpc::Responder/fault()
    at mx.rpc::AsyncRequest/fault()
    at ::DirectHTTPMessageResponder/securityErrorHandler()
    at
    flash.events::EventDispatcher/flash.events:EventDispatcher::dispatchEventFunction()
    at flash.events::EventDispatcher/dispatchEvent()
    at flash.net::URLLoader/flash.net:URLLoader::redirectEvent()
    Do I need any configuration files to be maintained? How do I
    resolve this proxy issue??
    myProxy server is not able to load the WSDL from
    myProduction.I am not usinfgFlex Data Services. I am directly
    accessing the services.
    If anyone knows about this issue please help me. Any help
    would be greatly appreciated.
    This issues has been unresolved since 15 days now.
    Thanks in advance

    Hi,
    I am not sure if what I am suggesting may be the source for
    the problem, but it could be that you will need a
    crossdomain.xml file deployed on your production server, so
    that it can accept the requests from the Portal. Also, I guess you
    will be using a
    flex-config.xml or
    services-config.xml. Just make sure that all server paths
    have been properly mapped to the values entered in the destination
    attributes of the WebService tags.
    I hope that helps.

  • Over MobileMe Issues

    I am totally over mobileme issues yet I love iWeb. Can anyone recommend a good hosting site that is compatible with iWeb? How do I upload the site etc without using mobileme?

    studentoflife wrote:
    Can anyone recommend a good hosting site that is compatible with iWeb?
    All hosting services should be compatible with iWeb — but if the hosting service offers a choice of WIndows servers or Linux servers, choose Linux.
    Some recommend this hosting service — particularly for its support:
    http://www.hostexcellence.com
    studentoflife wrote:
    How do I upload the site etc without using mobileme?
    This video tutorial may help:
    _Publishing your website via FTP_

  • Safari crash when using HTTPS through ISA 2006 proxy

    Hi,
    I have been struggling for a few days (well, since I got Leopard) with a problem that I have finally reduced to a being solely related to using an ISA server 2006 as an HTTPS proxy.
    It works fine with a 2004 proxy and it works fine through HTTP on an ISA 2006 proxy but if I try to access any HTTPS content through ISA 2006 Safari crashes.
    Note- I have carried out the following debugging actions;
    1- Removing InquisitorX
    2- Rebooting
    3- Running SW update
    4- Resetting Safari
    5- Resetting my entire Keychain
    6- Creating a new user account
    7- Reinstalling Safari from the Leopard DVD
    Nothing changed the behaviour.
    I did find someone else reporting this issue in; http://hinkle.wordpress.com/2007/10/27/leopard-problems-active-directory-integra tion/
    I will post a crashlog in a second. Anyone know anything about this? There are other MAC users in the company who do not seem to have this issue.

    First of all I'm running Safari on my Leopard
    This computer is on a corporate network behind ISA Server 2006
    I'm able to Authenticate to go to the internet but when I try to go to a secure website (example https://www.bankofamerica.com )My browser Crashes.
    I was expecting the new release of Safari to fix this but I'm still having the same issue.
    Looks like the problem is the way this browser handles secure connection requests from behind a corporate firewall.
    Any one has a clue how to fix this?
    I havent been able to find any acceptable fixes for this problem (with exception of running a proxy server on this computer such as squid)
    ......>Upgraded to latest version today and secure web browsing is still broken
    Thanks ..
    CRASH LOG AS FOLLOWS:
    Model: iMac7,1, BootROM IM71.007A.B00, 2 processors, Intel Core 2 Duo, 2 GHz, 2 GB
    Graphics: kHW_ATIr600M74Item, ATI,RadeonHD2400, spdisplayspciedevice, 128 MB
    Memory Module: BANK 0/DIMM0, 1 GB, DDR2 SDRAM, 667 MHz
    Memory Module: BANK 1/DIMM1, 1 GB, DDR2 SDRAM, 667 MHz
    AirPort: spairportwireless_card_type_airportextreme (0x14E4, 0x88), Broadcom BCM43xx 1.0 (4.170.46.3)
    Bluetooth: Version 2.1.0f14, 2 service, 0 devices, 1 incoming serial ports
    Network Service: Ethernet, Ethernet, en0
    Serial ATA Device: WDC WD2500AAJS-40RYA0, 232.89 GB
    Parallel ATA Device: MATSHITADVD-R UJ-85J, 787 MB
    USB Device: Built-in iSight, Apple Inc., high_speed, 500 mA
    USB Device: Keyboard Hub, Apple, Inc., high_speed, 500 mA
    USB Device: Apple Optical USB Mouse, Primax Electronics, low_speed, 100 mA
    USB Device: Apple Keyboard, Apple, Inc, low_speed, 100 mA
    USB Device: IR Receiver, Apple Computer, Inc., low_speed, 500 mA
    USB Device: Bluetooth USB Host Controller, Apple, Inc., full_speed, 500 mA
    Process: Safari [415]
    Path: /Applications/Safari.app/Contents/MacOS/Safari
    Identifier: com.apple.Safari
    Version: 3.1 (5525.13)
    Build Info: WebBrowser-55251300~1
    Code Type: X86 (Native)
    Parent Process: launchd [121]
    Date/Time: 2008-03-18 16:21:37.850 -0700
    OS Version: Mac OS X 10.5.2 (9C31)
    Report Version: 6
    Exception Type: EXCBADACCESS (SIGBUS)
    Exception Codes: KERNPROTECTIONFAILURE at 0x0000000000000000
    Crashed Thread: 3
    Thread 0:
    0 com.apple.AppKit 0x9191719f -[NSATSLineFragment layoutForStartingGlyphAtIndex:characterIndex:minPosition:maxPosition:lineFragme ntRect:] + 192
    1 com.apple.AppKit 0x91915f21 -[NSATSTypesetter _layoutLineFragmentStartingWithGlyphAtIndex:characterIndex:atPoint:renderingCon text:] + 2651
    2 com.apple.AppKit 0x9194e87a -[NSATSTypesetter layoutParagraphAtPoint:] + 155
    3 com.apple.AppKit 0x918f6f60 -[NSTypesetter _layoutGlyphsInLayoutManager:startingAtGlyphIndex:maxNumberOfLineFragments:maxC haracterIndex:nextGlyphIndex:nextCharacterIndex:] + 2974
    4 com.apple.AppKit 0x91ee3d3a -[NSTypesetter layoutCharactersInRange:forLayoutManager:maximumNumberOfLineFragments:] + 218
    5 com.apple.AppKit 0x91c5f494 -[NSATSTypesetter layoutCharactersInRange:forLayoutManager:maximumNumberOfLineFragments:] + 599
    6 com.apple.AppKit 0x9194c416 -[NSLayoutManager(NSPrivate) _fillLayoutHoleForCharacterRange:desiredNumberOfLines:isSoft:] + 1024
    7 com.apple.AppKit 0x91963164 -[NSLayoutManager(NSPrivate) _fillLayoutHoleAtIndex:desiredNumberOfLines:] + 261
    8 com.apple.AppKit 0x9195a425 _NSFastFillAllLayoutHolesUpToEndOfContainerForGlyphIndex + 624
    9 com.apple.AppKit 0x91959fd0 -[NSLayoutManager textContainerForGlyphAtIndex:effectiveRange:] + 128
    10 com.apple.AppKit 0x91959e67 -[NSLayoutManager glyphRangeForTextContainer:] + 307
    11 com.apple.AppKit 0x91989e03 -[NSStringDrawingTextStorage usedRectForTextContainer:] + 153
    12 com.apple.AppKit 0x91908b56 -[NSAttributedString(NSExtendedStringDrawing) boundingRectWithSize:options:] + 2044
    13 com.apple.AppKit 0x9197b48f -[NSAttributedString(NSStringDrawingExtension) _sizeWithSize:] + 113
    14 com.apple.AppKit 0x91a07d58 -[NSButtonCell(NSButtonCellPrivate) _centerTitle:inRect:] + 155
    15 com.apple.AppKit 0x91a07c79 -[NSButtonCell titleRectForBounds:] + 1466
    16 com.apple.Safari 0x000218e0 0x1000 + 133344
    17 com.apple.AppKit 0x91ca2ba5 -[NSButtonCell _configureAndDrawTitleWithRect:cellFrame:controlView:] + 3505
    18 com.apple.AppKit 0x919240ed -[NSButtonCell drawInteriorWithFrame:inView:] + 2054
    19 com.apple.Safari 0x000217d4 0x1000 + 133076
    20 com.apple.AppKit 0x9190cefd -[NSControl drawRect:] + 378
    21 com.apple.AppKit 0x919a0bbe -[NSView _drawRect:clip:] + 3765
    22 com.apple.AppKit 0x9199f751 -[NSView _recursiveDisplayAllDirtyWithLockFocus:visRect:] + 1050
    23 com.apple.AppKit 0x9199faa5 -[NSView _recursiveDisplayAllDirtyWithLockFocus:visRect:] + 1902
    24 com.apple.AppKit 0x9199faa5 -[NSView _recursiveDisplayAllDirtyWithLockFocus:visRect:] + 1902
    25 com.apple.AppKit 0x9199faa5 -[NSView _recursiveDisplayAllDirtyWithLockFocus:visRect:] + 1902
    26 com.apple.AppKit 0x9199e0b4 -[NSView _recursiveDisplayRectIfNeededIgnoringOpacity:isVisibleRect:rectIsVisibleRectFor View:topView:] + 759
    27 com.apple.AppKit 0x9199d9f7 -[NSThemeFrame _recursiveDisplayRectIfNeededIgnoringOpacity:isVisibleRect:rectIsVisibleRectFor View:topView:] + 306
    28 com.apple.AppKit 0x9199a52d -[NSView _displayRectIgnoringOpacity:isVisibleRect:rectIsVisibleRectForView:] + 3090
    29 com.apple.AppKit 0x918daf09 -[NSView displayIfNeeded] + 933
    30 com.apple.AppKit 0x918daab9 -[NSWindow displayIfNeeded] + 189
    31 com.apple.Safari 0x00021239 0x1000 + 131641
    32 com.apple.AppKit 0x918da8e0 _handleWindowNeedsDisplay + 436
    33 com.apple.CoreFoundation 0x934be9c2 __CFRunLoopDoObservers + 466
    34 com.apple.CoreFoundation 0x934bfd25 CFRunLoopRunSpecific + 853
    35 com.apple.CoreFoundation 0x934c0d18 CFRunLoopRunInMode + 88
    36 com.apple.HIToolbox 0x94a4d6a0 RunCurrentEventLoopInMode + 283
    37 com.apple.HIToolbox 0x94a4d3f2 ReceiveNextEventCommon + 175
    38 com.apple.HIToolbox 0x94a4d32d BlockUntilNextEventMatchingListInMode + 106
    39 com.apple.AppKit 0x918d87d9 _DPSNextEvent + 657
    40 com.apple.AppKit 0x918d808e -[NSApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 128
    41 com.apple.Safari 0x0000806e 0x1000 + 28782
    42 com.apple.AppKit 0x918d10c5 -[NSApplication run] + 795
    43 com.apple.AppKit 0x9189e30a NSApplicationMain + 574
    44 com.apple.Safari 0x000b9a76 0x1000 + 756342
    Thread 1:
    0 libSystem.B.dylib 0x96048bce _semwaitsignal + 10
    1 libSystem.B.dylib 0x960738cd pthreadcondwait$UNIX2003 + 73
    2 com.apple.WebCore 0x9699284f WebCore::IconDatabase::syncThreadMainLoop() + 239
    3 com.apple.WebCore 0x9694afb5 WebCore::IconDatabase::iconDatabaseSyncThread() + 181
    4 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    5 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 2:
    0 libSystem.B.dylib 0x960419e6 machmsgtrap + 10
    1 libSystem.B.dylib 0x960491dc mach_msg + 72
    2 com.apple.CoreFoundation 0x934c00de CFRunLoopRunSpecific + 1806
    3 com.apple.CoreFoundation 0x934c0d18 CFRunLoopRunInMode + 88
    4 com.apple.CFNetwork 0x968a46cc CFURLCacheWorkerThread(void*) + 396
    5 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    6 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 3 Crashed:
    0 com.apple.CoreFoundation 0x934872cb CFDataGetBytePtr + 43
    1 com.apple.CFNetwork 0x968e4cf5 _NtlmCreateClientResponse + 823
    2 com.apple.CFNetwork 0x968fb4fc _CFHTTPAuthenticationUpdateFromResponse + 1084
    3 com.apple.CFNetwork 0x968b73c5 updateAuth + 173
    4 com.apple.CFNetwork 0x968b6edc updateForHeaders + 147
    5 com.apple.CFNetwork 0x968b6c95 httpConnectionResponseStreamCB + 91
    6 com.apple.CFNetwork 0x968b6be3 connectionResponseCallBack + 86
    7 com.apple.CoreFoundation 0x934d2609 _CFStreamSignalEventSynch + 137
    8 com.apple.CoreFoundation 0x934c062e CFRunLoopRunSpecific + 3166
    9 com.apple.CoreFoundation 0x934c0d18 CFRunLoopRunInMode + 88
    10 com.apple.Foundation 0x9308eac0 +[NSURLConnection(NSURLConnectionReallyInternal) _resourceLoadLoop:] + 320
    11 com.apple.Foundation 0x9302b5ad -[NSThread main] + 45
    12 com.apple.Foundation 0x9302b154 _NSThread__main_ + 308
    13 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    14 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 4:
    0 libSystem.B.dylib 0x960419e6 machmsgtrap + 10
    1 libSystem.B.dylib 0x960491dc mach_msg + 72
    2 com.apple.CoreFoundation 0x934babb4 CFRunLoopWakeUp + 132
    3 com.apple.CoreFoundation 0x934cb953 __CFSocketManager + 1747
    4 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    5 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 5:
    0 libSystem.B.dylib 0x960419e6 machmsgtrap + 10
    1 libSystem.B.dylib 0x960491dc mach_msg + 72
    2 com.apple.CoreFoundation 0x934c00de CFRunLoopRunSpecific + 1806
    3 com.apple.CoreFoundation 0x934c0d18 CFRunLoopRunInMode + 88
    4 com.apple.CFNetwork 0x968f1db9 _KeychainThread + 230
    5 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    6 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 6:
    0 libSystem.B.dylib 0x96048bce _semwaitsignal + 10
    1 libSystem.B.dylib 0x96048996 usleep$UNIX2003 + 61
    2 com.apple.AppKit 0x9193ecf9 -[NSUIHeartBeat _heartBeatThread:] + 2042
    3 com.apple.Foundation 0x9302b5ad -[NSThread main] + 45
    4 com.apple.Foundation 0x9302b154 _NSThread__main_ + 308
    5 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    6 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 7:
    0 libSystem.B.dylib 0x960419e6 machmsgtrap + 10
    1 libSystem.B.dylib 0x960491dc mach_msg + 72
    2 com.apple.CoreFoundation 0x934c00de CFRunLoopRunSpecific + 1806
    3 com.apple.CoreFoundation 0x934c0d18 CFRunLoopRunInMode + 88
    4 com.apple.Foundation 0x9305fb15 -[NSRunLoop(NSRunLoop) runMode:beforeDate:] + 213
    5 com.apple.Foundation 0x9306bc34 -[NSRunLoop(NSRunLoop) run] + 84
    6 com.apple.Safari 0x0005bfb0 0x1000 + 372656
    7 com.apple.Foundation 0x9302b5ad -[NSThread main] + 45
    8 com.apple.Foundation 0x9302b154 _NSThread__main_ + 308
    9 libSystem.B.dylib 0x96072c55 pthreadstart + 321
    10 libSystem.B.dylib 0x96072b12 thread_start + 34
    Thread 3 crashed with X86 Thread State (32-bit):
    eax: 0xa05154ec ebx: 0x934872ae ecx: 0xb01c7bbc edx: 0x00000012
    edi: 0xb01c7cf8 esi: 0x00000000 ebp: 0xb01c7bb8 esp: 0xb01c7ba0
    ss: 0x0000001f efl: 0x00010287 eip: 0x934872cb cs: 0x00000017
    ds: 0x0000001f es: 0x0000001f fs: 0x0000001f gs: 0x00000037
    cr2: 0x00000000
    Binary Images:
    0x1000 - 0x132fef com.apple.Safari 3.1 (5525.13) <7415b1f8eb0ec2a4b9367d612b6e60e5> /Applications/Safari.app/Contents/MacOS/Safari
    0x17a000 - 0x189ff8 SyndicationUI ??? (???) <d148012be42c8a6e21f9cc58739c8dc7> /System/Library/PrivateFrameworks/SyndicationUI.framework/Versions/A/Syndicatio nUI
    0x542000 - 0x630fef com.apple.RawCamera.bundle 2.0.2 (2.0.2) /System/Library/CoreServices/RawCamera.bundle/Contents/MacOS/RawCamera
    0xcd43000 - 0xcd48ff3 libCGXCoreImage.A.dylib ??? (???) <978986709159e5fe9e094df5efddac1d> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGXCoreImage.A.dylib
    0xe740000 - 0xe740ffe com.apple.JavaPluginCocoa 12.0.0 (12.0.0) <02a9f23a8bfc902c32ac0adfb66d6816> /Library/Internet Plug-Ins/JavaPluginCocoa.bundle/Contents/MacOS/JavaPluginCocoa
    0xe7fc000 - 0xe803ffd com.apple.JavaVM 12.0.2 (12.0.2) <44b9536fe4d7c7fcb3506adb695a180f> /System/Library/Frameworks/JavaVM.framework/Versions/A/JavaVM
    0xeebb000 - 0xeee6ffb libcurl.4.dylib ??? (???) <54ada27deb3b4ff7043d8836264eca0d> /usr/lib/libcurl.4.dylib
    0xf63e000 - 0xf736fe0 com.apple.DiskImagesFramework 10.5.2 (194) <ade5c9d2a072cc095ee80ba6843a0ccf> /System/Library/PrivateFrameworks/DiskImages.framework/DiskImages
    0xf79c000 - 0xf7d2fff com.apple.MediaKit 9.1 (395) <87ecf643bab6443824b484f467bad783> /System/Library/PrivateFrameworks/MediaKit.framework/Versions/A/MediaKit
    0xf7e3000 - 0xf8acfe5 com.apple.DiscRecording 4.0.1 (4010.4.4) <15a86e322ad12d2d279e398120273223> /System/Library/Frameworks/DiscRecording.framework/Versions/A/DiscRecording
    0x8fe00000 - 0x8fe2da53 dyld 96.2 (???) <7af47d3b00b2268947563c7fa8c59a07> /usr/lib/dyld
    0x900d7000 - 0x900e0fff com.apple.speech.recognition.framework 3.7.24 (3.7.24) <d3180f9edbd9a5e6f283d6156aa3c602> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x91069000 - 0x910ceffb com.apple.ISSupport 1.6 (34) /System/Library/PrivateFrameworks/ISSupport.framework/Versions/A/ISSupport
    0x910cf000 - 0x910edfff libresolv.9.dylib ??? (???) <0629b6dcd71f4aac6a891cbe26253e85> /usr/lib/libresolv.9.dylib
    0x9111e000 - 0x91129fe7 libCSync.A.dylib ??? (???) <df82fc093e498a9eb5490761cb292218> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x91179000 - 0x9117cfff com.apple.help 1.1 (36) <b507b08e484cb89033e9cf23062d77de> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x91182000 - 0x91187fff com.apple.CommonPanels 1.2.4 (85) <ea0665f57cd267609466ed8b2b20e893> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x91188000 - 0x911e2ff7 com.apple.CoreText 2.0.1 (???) <07494945ad1e3f5395599f42748457cc> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreText.framework/Versions/A/CoreText
    0x911e3000 - 0x913aeff7 com.apple.security 5.0.2 (33001) <0788969ffe7961153219be10786da436> /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x913af000 - 0x913b7fff com.apple.DiskArbitration 2.2.1 (2.2.1) <75b0c8d8940a8a27816961dddcac8e0f> /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x913b8000 - 0x913ccff3 com.apple.ImageCapture 4.0 (5.0.0) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x913ff000 - 0x9140dffd libz.1.dylib ??? (???) <5ddd8539ae2ebfd8e7cc1c57525385c7> /usr/lib/libz.1.dylib
    0x91481000 - 0x91481fff com.apple.Carbon 136 (136) <98a5e3bc0c4fa44bbb09713bb88707fe> /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x91482000 - 0x9154dfff com.apple.ColorSync 4.5.0 (4.5.0) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x9154e000 - 0x91827ff3 com.apple.CoreServices.CarbonCore 785.8 (785.8) <827c228e7d717b397cdb4941eba69553> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x91828000 - 0x91866ff7 libGLImage.dylib ??? (???) <090de775838db03ddc710f57abbf6218> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x91867000 - 0x9188fff7 com.apple.shortcut 1 (1.0) <057783867138902b52bc0941fedb74d1> /System/Library/PrivateFrameworks/Shortcut.framework/Versions/A/Shortcut
    0x91890000 - 0x91897fe9 libgcc_s.1.dylib ??? (???) <f53c808e87d1184c0f9df63aef53ce0b> /usr/lib/libgcc_s.1.dylib
    0x91898000 - 0x92095fef com.apple.AppKit 6.5.2 (949.26) <bc4593edd8a224409fb6953a354505a0> /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x92096000 - 0x921dbff7 com.apple.ImageIO.framework 2.0.1 (2.0.1) <68ba11e689a9ca30f8310935cd1e02d6> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x921dc000 - 0x9226fff3 com.apple.ApplicationServices.ATS 3.2 (???) <cdf31bd0ac7de54a35ee2d27cf86b6be> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
    0x92270000 - 0x92272ff5 libRadiance.dylib ??? (???) <20eadb285da83df96c795c2c5fa20590> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x92273000 - 0x922ccff7 libGLU.dylib ??? (???) /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x922cd000 - 0x9230ffef com.apple.NavigationServices 3.5.1 (161) <cc6bd78eabf1e2e7166914e9f12f5850> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x92310000 - 0x92310ff8 com.apple.Cocoa 6.5 (???) <e064f94d969ce25cb7de3cfb980c3249> /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x92311000 - 0x92315fff libmathCommon.A.dylib ??? (???) /usr/lib/system/libmathCommon.A.dylib
    0x92316000 - 0x92726fef libBLAS.dylib ??? (???) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x92727000 - 0x9272effe libbsm.dylib ??? (???) <d25c63378a5029648ffd4b4669be31bf> /usr/lib/libbsm.dylib
    0x9272f000 - 0x927dffff edu.mit.Kerberos 6.0.12 (6.0.12) <9e98dfb4cde8b0510fdd972dc9fa1dc9> /System/Library/Frameworks/Kerberos.framework/Versions/A/Kerberos
    0x927e0000 - 0x92b9efea libLAPACK.dylib ??? (???) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x92b9f000 - 0x92bd9fff com.apple.coreui 1.1 (61) /System/Library/PrivateFrameworks/CoreUI.framework/Versions/A/CoreUI
    0x92bda000 - 0x92c05fe7 libauto.dylib ??? (???) <42d8422dc23a18071869fdf7b5d8fab5> /usr/lib/libauto.dylib
    0x92e2c000 - 0x92f0dff7 libxml2.2.dylib ??? (???) <3cd4cccd4ca35dffa4688436aa0cd908> /usr/lib/libxml2.2.dylib
    0x92fdc000 - 0x9301dfe7 libRIP.A.dylib ??? (???) <9d42e83d860433f9126c4871d1fe0ce8> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x9301e000 - 0x93020fff com.apple.CrashReporterSupport 10.5.0 (156) <3088b785b10d03504ed02f3fee5d3aab> /System/Library/PrivateFrameworks/CrashReporterSupport.framework/Versions/A/Cra shReporterSupport
    0x93021000 - 0x9329bfe7 com.apple.Foundation 6.5.4 (677.15) <6216196287f98a65ddb654d04d773e7b> /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x932a2000 - 0x932acfeb com.apple.audio.SoundManager 3.9.2 (3.9.2) <0f2ba6e891d3761212cf5a5e6134d683> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x932ad000 - 0x932fdff7 com.apple.HIServices 1.7.0 (???) <f7e78891a6d08265c83dca8e378be1ea> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x93337000 - 0x933c2fff com.apple.framework.IOKit 1.5.1 (???) <a17f9f5ea7e8016a467e67349f4d3d03> /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x933c3000 - 0x933c3ffd com.apple.Accelerate.vecLib 3.4.2 (vecLib 3.4.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
    0x933c4000 - 0x9344dfe3 com.apple.DesktopServices 1.4.5 (1.4.5) <8b264cd6abbbd750928c637e1247269d> /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x9344e000 - 0x93580fef com.apple.CoreFoundation 6.5.1 (476.10) <d5bed2688a5eea11a6dc3a3c5c17030e> /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x935ee000 - 0x9364bffb libstdc++.6.dylib ??? (???) <04b812dcec670daa8b7d2852ab14be60> /usr/lib/libstdc++.6.dylib
    0x93656000 - 0x936e2ff7 com.apple.LaunchServices 286.5 (286.5) <33c3ae54abb276b61a99d4c764d883e2> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/LaunchS ervices.framework/Versions/A/LaunchServices
    0x936e3000 - 0x936f9fe7 com.apple.CoreVideo 1.5.0 (1.5.0) <7e010557527a0e6d49147c297d16850a> /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo
    0x93706000 - 0x93716ffc com.apple.LangAnalysis 1.6.4 (1.6.4) <cbeb17ab39f28351fe2ab5b82bf465bc> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x93717000 - 0x93737ff2 libGL.dylib ??? (???) /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x93739000 - 0x937b6fef libvMisc.dylib ??? (???) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x937b7000 - 0x937dbfeb libssl.0.9.7.dylib ??? (???) <acee7fc534674498dcac211318aa23e8> /usr/lib/libssl.0.9.7.dylib
    0x937fa000 - 0x938acffb libcrypto.0.9.7.dylib ??? (???) <330b0e48e67faffc8c22dfc069ca7a47> /usr/lib/libcrypto.0.9.7.dylib
    0x938ad000 - 0x93d80fde libGLProgrammability.dylib ??? (???) <a3d68f17f37ff55a3e61aca1e3aee522> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLProgramma bility.dylib
    0x93d81000 - 0x93d8cff9 com.apple.helpdata 1.0 (14) /System/Library/PrivateFrameworks/HelpData.framework/Versions/A/HelpData
    0x93d8d000 - 0x93e72ff3 com.apple.CoreData 100.1 (186) <8e28162ef2288692615b52acc01f8b54> /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x93e73000 - 0x93efaff7 libsqlite3.0.dylib ??? (???) <6978bbcca4277d6ae9f042beff643f7d> /usr/lib/libsqlite3.0.dylib
    0x93efb000 - 0x93f07fff libbz2.1.0.dylib ??? (???) <9ea4fe135c9e52bd0590eec12c738e82> /usr/lib/libbz2.1.0.dylib
    0x93f08000 - 0x93fe7fff libobjc.A.dylib ??? (???) <a53206274b6c2d42691f677863f379ae> /usr/lib/libobjc.A.dylib
    0x93fe8000 - 0x94062ff8 com.apple.print.framework.PrintCore 5.5.2 (245.1) <3c9de512e95fbd838694ee5008d56a28> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x94063000 - 0x94089fff libcups.2.dylib ??? (???) <85ce204da14d62d6a3a5a9adfba01455> /usr/lib/libcups.2.dylib
    0x9408a000 - 0x940d4fe1 com.apple.securityinterface 3.0 (32532) <f521dae416ce7a3bdd594b0d4e2fb517> /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x940d5000 - 0x94114fef libTIFF.dylib ??? (???) <6d0f80e9d4d81f3f64c876aca005bd53> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x94115000 - 0x94139fff libxslt.1.dylib ??? (???) <4933ddc7f6618743197aadc85b33b5ab> /usr/lib/libxslt.1.dylib
    0x9413a000 - 0x9413cfff com.apple.securityhi 3.0 (30817) <2b2854123fed609d1820d2779e2e0963> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x9413d000 - 0x94275ff7 libicucore.A.dylib ??? (???) <afcea652ff2ec36885b2c81c57d06d4c> /usr/lib/libicucore.A.dylib
    0x94276000 - 0x9427dff7 libCGATS.A.dylib ??? (???) <9b29a5500efe01cc3adea67bbc42568e> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x94290000 - 0x94391fef com.apple.PubSub 1.0.3 (65.1) /System/Library/Frameworks/PubSub.framework/Versions/A/PubSub
    0x94392000 - 0x94439feb com.apple.QD 3.11.52 (???) <c72bd7bd2ce12694c3640a731d1ad878> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x946f3000 - 0x9470bfff com.apple.openscripting 1.2.6 (???) <b8e553df643f2aec68fa968b3b459b2b> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x9470c000 - 0x947d3ff2 com.apple.vImage 3.0 (3.0) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x947d4000 - 0x948a2ff7 com.apple.JavaScriptCore 5525.13 (5525.13) <04772ff1212d98f31c613dde4d123698> /System/Library/Frameworks/JavaScriptCore.framework/Versions/A/JavaScriptCore
    0x949db000 - 0x949e7fe7 com.apple.opengl 1.5.6 (1.5.6) <d599b1bb0f8a8da6fd125e2587b27776> /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x949e8000 - 0x949e8ffd com.apple.vecLib 3.4.2 (vecLib 3.4.2) /System/Library/Frameworks/vecLib.framework/Versions/A/vecLib
    0x949ea000 - 0x94a1cfff com.apple.LDAPFramework 1.4.3 (106) <3a5c9df6032143cd6bc2658a9d328d8e> /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x94a1d000 - 0x94d25fff com.apple.HIToolbox 1.5.2 (???) <7449d6f2da33ded6936243a92e307459> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x94d26000 - 0x94d44ff3 com.apple.DirectoryService.Framework 3.5.1 (3.5.1) <96407dca4d6b1d10ae5ca1881e31b27a> /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x94e79000 - 0x94e7dfff libGIF.dylib ??? (???) <d4234e6f5e5f530bdafb969157f1f17b> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x94ec3000 - 0x94ec3ffc com.apple.audio.units.AudioUnit 1.5 (1.5) /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x94ec4000 - 0x94f09fef com.apple.Metadata 10.5.2 (398.7) <73a6424c06effc474e699cde6883de99> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x94f0a000 - 0x94f39fe3 com.apple.AE 402.2 (402.2) <e01596187e91af5d48653920017b8c8e> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/AE.fram ework/Versions/A/AE
    0x94f3a000 - 0x94f3affb com.apple.installserver.framework 1.0 (8) /System/Library/PrivateFrameworks/InstallServer.framework/Versions/A/InstallSer ver
    0x94f3b000 - 0x94f41fff com.apple.print.framework.Print 218.0.2 (220.1) <8bf7ef71216376d12fcd5ec17e43742c> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x94f42000 - 0x94f51fff libsasl2.2.dylib ??? (???) <b9e1ca0b6612e280b6cbea6df0eec5f6> /usr/lib/libsasl2.2.dylib
    0x94f52000 - 0x94f7ffeb libvDSP.dylib ??? (???) <b232c018ddd040ec4e2c2af632dd497f> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x94f80000 - 0x94f9bffb libPng.dylib ??? (???) <b6abcac36ec7654ff3e1cfa786b0117b> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x95126000 - 0x95126ff8 com.apple.ApplicationServices 34 (34) <8f910fa65f01d401ad8d04cc933cf887> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x95127000 - 0x9513dfff com.apple.DictionaryServices 1.0.0 (1.0.0) <ad0aa0252e3323d182e17f50defe56fc> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Diction aryServices.framework/Versions/A/DictionaryServices
    0x9513e000 - 0x9514efff com.apple.speech.synthesis.framework 3.6.59 (3.6.59) <4ffef145fad3d4d787e0c33eab26b336> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x9514f000 - 0x951e2fff com.apple.ink.framework 101.3 (86) <bf3fa8927b4b8baae92381a976fd2079> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x951f7000 - 0x9558dff7 com.apple.QuartzCore 1.5.1 (1.5.1) <665c80f6e28555b303020c8007c36b8b> /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x9558e000 - 0x9560dff5 com.apple.SearchKit 1.2.0 (1.2.0) <277b460da86bc222785159fe77e2e2ed> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x95923000 - 0x9599ffeb com.apple.audio.CoreAudio 3.1.0 (3.1) <70bb7c657061631491029a61babe0b26> /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x959a0000 - 0x95a5afe3 com.apple.CoreServices.OSServices 224.4 (224.4) <ff5007ab220908ac54b6c661e447d593> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x95a5b000 - 0x95a7affa libJPEG.dylib ??? (???) <0cfb80109d624beb9ceb3c43b6c5ec10> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x95a7b000 - 0x95a80fff com.apple.backup.framework 1.0 (1.0) /System/Library/PrivateFrameworks/Backup.framework/Versions/A/Backup
    0x95a81000 - 0x95b3efff com.apple.WebKit 5525.13 (5525.13) <6534b17c7310ea608c9f3ca41df9b4a4> /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x95b3f000 - 0x95b78ffe com.apple.securityfoundation 3.0 (32989) <e9171eda22c69c884a04a001aeb526e0> /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x95b79000 - 0x95b88ffe com.apple.DSObjCWrappers.Framework 1.2.1 (1.2.1) <eac1c7b7c07ed3148c85934b6f656308> /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x95b89000 - 0x95b89ffa com.apple.CoreServices 32 (32) <2fcc8f3bd5bbfc000b476cad8e6a3dd2> /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x95ba7000 - 0x95ba8ffc libffi.dylib ??? (???) <a3b573eb950ca583290f7b2b4c486d09> /usr/lib/libffi.dylib
    0x95ba9000 - 0x95ccdfe3 com.apple.audio.toolbox.AudioToolbox 1.5.1 (1.5.1) /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x95e8a000 - 0x95ec1fff com.apple.SystemConfiguration 1.9.1 (1.9.1) <8a76e429301afe4eba1330bfeaabd9f2> /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x95ec2000 - 0x96040fff com.apple.AddressBook.framework 4.1 (687.1) <b2f2f2c925eb080e53b841014e4f9a7c> /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x96041000 - 0x961a0ff3 libSystem.B.dylib ??? (???) <4899376234e55593b22fc370935f8cdf> /usr/lib/libSystem.B.dylib
    0x961a1000 - 0x9683afff com.apple.CoreGraphics 1.351.21 (???) <6c93fd21149f389129fe47fa6ef71880> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x9683b000 - 0x96897ff7 com.apple.htmlrendering 68 (1.1.3) <fe87a9dede38db00e6c8949942c6bd4f> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x96898000 - 0x96898ffd com.apple.Accelerate 1.4.2 (Accelerate 1.4.2) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x96899000 - 0x96910fe3 com.apple.CFNetwork 221.5 (221.5) <5474cdd7d2a8b2e8059de249c702df9e> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x96911000 - 0x96947fef libtidy.A.dylib ??? (???) <e4d3e7399fb83d7f145f9b4ec8196242> /usr/lib/libtidy.A.dylib
    0x96948000 - 0x96f98fff com.apple.WebCore 5525.13 (5525.13) <c4293b0cc1f8614190058683137459c6> /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0xfffe8000 - 0xfffebfff libobjc.A.dylib ??? (???) /usr/lib/libobjc.A.dylib
    0xffff0000 - 0xffff1780 libSystem.B.dylib ??? (???) /usr/lib/libSystem.B.dylib

  • Help with Apache Reverse Proxy configuration with SAP Portal and SAP Webgui

    Dear Experts,
    I have an issue configuring Apache to work with SAP Portal and ERP webgui. Accessing Portal through Reverse Proxy is working fine. But the problem arises when we try to open an iView ERP webgui transaction page from Portal with the Reverse Proxy. Have anyone implemented similar requirements and could advice on the configuration required on the Apache side? Thank you

    hi,
    pls check the below links for reference:
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/24396589-0a01-0010-3c8c-ab2e3acf6fe2
    searchsap.techtarget.com/searchSAP/downloads/chapter-december.pdf
    1)Learn to implement the reverse proxy filter and portal gateway in SAP Enterprise Portal 6.0 on Web Application Server 6.40.
    https:/.../irj/sdn/nw-portalandcollaboration?rid=/webcontent/uuid/006efe7b-1b73-2910-c4ae-f45aa408da5b
    .2 )Configuring the Portal for Your Reverse Proxy Filter Solution . ... This document describes the reverse proxy filter mechanism in SAP Enterprise ...
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/32ad9b90-0201-0010-3c8a-c900cd685f8f
    3)have full reverse proxy functionality. Possibly. filter. requests. Internet ... Reverse proxy (optionally with authentication etc.) ...
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/c066c390-0201-0010-3cba-cd42dfbcc8be
    Note:please reward points if solution found helpfull
    Regards
    Chandrakanth.k

Maybe you are looking for

  • After re-creating user account setup stops at blue screen

    Yesterday when I restarted my Mac the Darwin/BSD black screen came up. I tried loggin in but nothing would happen. I then followed these directions posted on a forum http://discussions.apple.com/message.jspa?messageID=1699839#1699839: Start up in Sin

  • Cannot enable manual Firefox update

    Cannot enable manual FF update option. In synaptic? Help? == This happened == Every time Firefox opened == FF installed

  • BI - XI Integration

    Dear All, Can we transfer data of a DataCube in BI System to another DataCube in another BI System with the help of PI? If yes, then how can we do it and is it beneficial? Regards

  • Songs getting trashed along with podcasts

    It seems sometimes when I delete podcasts I don't want from my computer, some songs somehow get deleted also. After I listen to podcasts on my shuffle (old 512) I usually go into iTunes and delete those same podcasts from my library and select move t

  • Issues with PXE booting

    Hello guys I'm having some issues with PXE booting on my DP. I've installed them on a single server with SCCM installed and using it as a DP. When I've tried to PXE boot I'm having some issues. Please see the screenshots below: Here is the PXE log: B