Strange behaviour on preloading web page in WebView

I have the following problem: In my Swing application i'd like to show a web page. In order to do so i use a JFXPanel that contains a WebView. The web page should be loaded in the background and just if the loading process is totally completed i want to make the JFXPanel visible. I use the getLoadWorker().workDoneProperty() method of the corresponding WebEngine to determine if the page is totally loaded.
The problem is, that at the moment the JFXPanel gets visibile I see at first a totally empty panel, and only after a short time the web page in the WebView is visible. I have made a simple Demo Application that reproduces this behaviour. If the page is loaded a button gets enabled and a click on that button adds the WebView to the panel below. Furthermore the following link points to an animated gif which demonstrates the behaviour: http://tinypic.com/view.php?pic=oh66bl&s=5#.Ujv2IhddWKl
Here is the code of the demo application:
import java.awt.BorderLayout;
import java.awt.Dimension;
import java.util.logging.Level;
import java.util.logging.Logger;
import javafx.application.Platform;
import javafx.beans.value.ChangeListener;
import javafx.beans.value.ObservableValue;
import javafx.embed.swing.JFXPanel;
import javafx.scene.Scene;
import javafx.scene.web.WebEngine;
import javafx.scene.web.WebView;
import javax.swing.JFrame;
import javax.swing.SwingUtilities;
public class WebViewTest extends javax.swing.JPanel {
   private static JFXPanel browserFxPanel;
   private WebView webView;
   private WebEngine eng;
  * Creates new form WebViewTest
   public WebViewTest() {
  initComponents();
   Platform.setImplicitExit(false);
  browserFxPanel = new JFXPanel();
   Platform.runLater(new Runnable() {
   public void run() {
  webView = createBrowser();
   Scene scene = new Scene(webView);
  scene.setFill(null);
  browserFxPanel.setScene(
  scene);
  * This method is called from within the constructor to initialize the form. WARNING: Do NOT modify this code. The
  * content of this method is always regenerated by the Form Editor.
   @SuppressWarnings("unchecked")
   // <editor-fold defaultstate="collapsed" desc="Generated Code"> 
   private void initComponents() {
  java.awt.GridBagConstraints gridBagConstraints;
  pnlMain = new javax.swing.JPanel();
  showWebpageButton = new javax.swing.JButton();
  setLayout(new java.awt.GridBagLayout());
  pnlMain.setLayout(new java.awt.BorderLayout());
  gridBagConstraints = new java.awt.GridBagConstraints();
  gridBagConstraints.gridx = 0;
  gridBagConstraints.gridy = 1;
  gridBagConstraints.gridwidth = 3;
  gridBagConstraints.fill = java.awt.GridBagConstraints.BOTH;
  gridBagConstraints.weightx = 1.0;
  gridBagConstraints.weighty = 1.0;
  add(pnlMain, gridBagConstraints);
  showWebpageButton.setText("show web page");
  showWebpageButton.setEnabled(false);
  showWebpageButton.addActionListener(new java.awt.event.ActionListener() {
   public void actionPerformed(java.awt.event.ActionEvent evt) {
  showWebpageButtonActionPerformed(evt);
  gridBagConstraints = new java.awt.GridBagConstraints();
  gridBagConstraints.gridx = 1;
  gridBagConstraints.gridy = 0;
  gridBagConstraints.insets = new java.awt.Insets(10, 10, 10, 10);
  add(showWebpageButton, gridBagConstraints);
   }// </editor-fold> 
   private void showWebpageButtonActionPerformed(java.awt.event.ActionEvent evt) {  
  pnlMain.removeAll();
  pnlMain.add(browserFxPanel, BorderLayout.CENTER);
   WebViewTest.this.invalidate();
   WebViewTest.this.revalidate();
   // Variables declaration - do not modify 
   private javax.swing.JPanel pnlMain;
   private javax.swing.JButton showWebpageButton;
   // End of variables declaration 
   private WebView createBrowser() {
   Double widthDouble = pnlMain.getSize().getWidth();
   Double heightDouble = pnlMain.getSize().getHeight();
   final WebView view = new WebView();
  view.setMinSize(widthDouble, heightDouble);
  view.setPrefSize(widthDouble, heightDouble);
  eng = view.getEngine();
  eng.load("http://todomvc.com/architecture-examples/angularjs/#/");
  eng.getLoadWorker().workDoneProperty().addListener(new ChangeListener<Number>() {
   public void changed(ObservableValue<? extends Number> ov, Number t, Number t1) {
   final double workDone = eng.getLoadWorker().getWorkDone();
   final double totalWork = eng.getLoadWorker().getTotalWork();
   if (workDone == totalWork) {
  showWebpageButton.setEnabled(true);
   return view;
   public static void main(String[] args) {
   SwingUtilities.invokeLater(new Runnable() {
   public void run() {
   final JFrame f = new JFrame("Navigator Dummy");
  f.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
  f.setSize(new Dimension(1024, 800));
   final WebViewTest navDummy = new WebViewTest();
  f.getContentPane().add(navDummy);
  f.setVisible(true);
I don''t understand this behaviour in fact that the page should already been loaded. For mee it seems like the WebView starts renderering the site just at the moment when it gets visible. What can I do to achieve that the WebView already shows the loaded web page at the moment it gets Visible (to avoid this flickr effect)?
I have already posted this issue at StackOverflow (see http://stackoverflow.com/questions/18873315/javafx-webview-loading-page-in-background ) but didn't get an answer there and found this forum today.
Thanks in advance!

Try the updated version in this post.
It forces an offscreen snapshot before displaying the webview to ensure all of the rendering is done before the WebView is displayed.
The code is kind of ugly and the "solution" is a bit of a hack, you would probably want to clean it up a bit before using it anywhere (for example it is unnecessary to create a new WebView and snapshot the web page on every load - I just did that to get a feel for a worst case scenario and to try to pinpoint where slowdowns are occurring).
A small rectangle moves back and forth across the top of the screen so that animation smoothness can be monitored.
On the first load there will be a slight stutter in the animation, however the rendered web page appears instantly when the clicks the "Show page" button.
As you say, the stutter only occurs the first time the page is loaded, subsequently everything is smooth.  If you use a regular progress bar rather than an animation, then the initial stutter is likely fine, as people expect to see pauses in progress bars from time to time (most progress reported by progress bars isn't a smooth linear progression).  My guess is that, if you use a regular progress bar, the behaviour experienced with this sample is likely acceptable to almost all users.
Regarding the differences between rendering between JavaFX 2.2 and JavaFX 8, there were many modifications to the internal JavaFX architecture for JavaFX 8 that improved the rendering performance, so that likely accounts for the delta.
import javafx.animation.*;
import javafx.application.Application;
import javafx.concurrent.Worker;
import javafx.geometry.*;
import javafx.scene.Scene;
import javafx.scene.control.*;
import javafx.scene.layout.*;
import javafx.scene.paint.Color;
import javafx.scene.shape.Rectangle;
import javafx.scene.web.WebView;
import javafx.stage.Stage;
import javafx.util.Duration;
public class WebViewJavaFXTest extends Application {
    public static final String PAGE_URL = "http://todomvc.com/architecture-examples/angularjs/#/";
    private Rectangle distractor;
    @Override
    public void start(Stage stage) throws Exception {
        distractor = new Rectangle(20, 20, Color.CORAL);
        TranslateTransition r = new TranslateTransition(Duration.seconds(10), distractor);
        r.setFromX(0);
        r.setToX(800);
        r.setInterpolator(Interpolator.LINEAR);
        r.setCycleCount(RotateTransition.INDEFINITE);
        r.setAutoReverse(true);
        r.play();
        VBox layout = initView();
        stage.setScene(new Scene(layout));
        stage.show();
    private VBox initView() {
        final ProgressBar progress = new ProgressBar();
        final Button showWebView = new Button("Show Page");
        showWebView.setDisable(true);
        HBox controls = new HBox(
                10,
                progress,
                showWebView
        controls.setAlignment(Pos.CENTER_LEFT);
        Button tryAgain = new Button("Try Again");
        tryAgain.setOnAction(actionEvent ->
                tryAgain.getScene().setRoot(
                        initView()
        StackPane webViewHolder = new StackPane();
        webViewHolder.setPrefSize(1024, 700);
        final WebView webView = new WebView();
        progress.progressProperty().bind(
                webView.getEngine().getLoadWorker().progressProperty()
        webView.setPrefSize(1024, 700);
        webView.getEngine().load(PAGE_URL);
        webView.getEngine().getLoadWorker().stateProperty().addListener(
                (o, old, state) -> {
                    if (state == Worker.State.SUCCEEDED) {
                        webView.snapshot(
                                snapshotResult -> {
                                    showWebView.setDisable(false);
                                    return null;
                                null,
                                null
                    } else {
                        showWebView.setDisable(true);
        showWebView.setOnAction(actionEvent -> {
            controls.getChildren().setAll(
                    tryAgain
            webViewHolder.getChildren().setAll(webView);
        VBox layout = new VBox(
                10,
                distractor,
                controls,
                webViewHolder
        layout.setPadding(new Insets(10));
        return layout;
    public static void main(String[] args) {
        launch();

Similar Messages

  • Strange behaviour on some web pages

    Hello. First of all sorry if posted in wrong thread - if wrong let me knw where to post it. I've got strange behaviour on some web pages. When I'm logged in to mobile me n the plce where is Search in right top corner I see grey rectangle, same when I want to delete something (email or gallery) where on the pop up window am I sure to delete buttons cancell and OK are black rectangles in that case, same thing happens on Safari and Firefox as well on few other pages similiar issue. No problems at all when loggin in from Windows based PC's even if it is a Virtuall Windows on Parallel. Please advice. I can attach a screen grabs how this exactly looks like ..
    Thank you for ur help.
    Regards
    Rafal

    First thing to try: go to System Preferences>Universal Access and turn Voiceover off.

  • Strange behaviour when embedding HTML page in Air

    Hi,
    I'm trying to embedd a HTML page to a Air application.
    The HTML page has a simple Flex application (TestFlex4Project.mxml) with a button that changes one HTML element on the web page (TestFlex4Project.html) using ExternalInterface. If I run the Flex application using the HTML page it works just fine and when I click the button the HTML ellement is changed and the mouseover- and onclick events works. If I embedd the HTML page in an Air application the mouseover- and onclick events does not work any more. Why?
    If I use Aternative 1 in the HTML code (instead of using Aternative 2 in the HTML code where I'm editing the innerHTML property) the mouseover- and onclick events works when the HTML page is embeded in Air. Why?
    Even more strange is that if I remove the line [<img src="http://www.adobe.com/images/shared/download_buttons/get_flash_player.gif" alt="Get Adobe Flash player" />] from the HTML page the Flex application dose not show at all when embedded in Air. Why?
    You can try the online sample here and the files here.
    The application looks like this:
    And if you click the button and click the upper most text you will recieve a message like this:
    But not when I use innerHTML and embedd the HTML page in Air. Can anyone please help me with this issue. Is it a bug or what am I doing wrong? I need to change some HTML elements using innerHTML.
    Thanks!!
    The code for TestFlex4Project.mxml is like this
    <?xml version="1.0" encoding="utf-8"?>
    <s:Application xmlns:fx="http://ns.adobe.com/mxml/2009"
        xmlns:s="library://ns.adobe.com/flex/spark"
    width="100%"
    height="100%">
    <fx:Script>
      <![CDATA[
       function buttonClickHandler(event:Event):void{
       ExternalInterface.call(" function(){SetHTML();}")
      ]]>
    </fx:Script>
    <s:HGroup verticalAlign="middle">
      <s:Button label="Edit HTML Element" click="buttonClickHandler(event)"/> 
    </s:HGroup>
    </s:Application>
    The code for TestFlex4Project.html is like this
    <!DOCTYPE html>
    <html lang="en">
    <head>
    <meta charset="utf-8"/>
    <title>Test Flex 4 Project</title>
    <meta name="description" content="" />
    <script src="js/swfobject.js"></script>
    <script>
      var flashvars = {
      var params = {
       menu: "false",
       scale: "noScale",
       allowFullscreen: "true",
       allowScriptAccess: "always",
       bgcolor: "",
       wmode: "direct" // can cause issues with FP settings & webcam
      var attributes = {
       id:"TestFlex4Project"
      swfobject.embedSWF(
       "TestFlex4Project.swf",
       "altContent", "100%", "100%", "10.0.0",
       "expressInstall.swf",
       flashvars, params, attributes);
       function Message(){
       alert("Message!")
    function SetHTML(){
       //Start Alternative 1
       NewHTML.innerHTML = "Dynamically changed text"
       NewHTML.style.cursor = "pointer"
       NewHTML.style.color = "#ff0000"
       NewHTML.onclick = function(){
        Message();
       NewHTML.onmouseover = function(){
        this.style.fontWeight = 700;
       //End Alternative 1
       //Start Alternative 2
       var HTMLStr='<p style="cursor:pointer; fontWeight:300; color:#ff0000" onClick = "Message()" onMouseOver = "this.style.fontWeight=700">Dynamically changed text</p>'
       NewHTML.outerHTML=HTMLStr
       //End Alternative 2
    </script>
    <style>
      html, body { height:100%; overflow:hidden; }
      body { margin:0; }
    </style>
    </head>
    <body id="Body">
    <p id="NewHTML">This text will change when you click the button!</p>
    <p style="cursor:pointer; fontWeight:'300'; color:#ff0000" onClick = "Message()" onmouseover = "this.style.fontWeight='700'">Default text</p>
    <div id="altContent">
      <p><a href="http://www.adobe.com/go/getflashplayer">
       <img src="http://www.adobe.com/images/shared/download_buttons/get_flash_player.gif" alt="Get Adobe Flash player" />
       </a>
      </p>
    </div>
    </body>
    </html>
    The code for the Airapplication is like this
    <?xml version="1.0" encoding="utf-8"?>
    <s:WindowedApplication
    xmlns:fx="http://ns.adobe.com/mxml/2009"
    xmlns:s="library://ns.adobe.com/flex/spark"
        xmlns:mx="library://ns.adobe.com/flex/mx"
    width="800"
    height="566">
    <mx:HTML id="HTMLObject" location="TestFlex4Project.html" width="100%" height="100%"/>
    </s:WindowedApplication>

    Hi,
    I'm trying to embedd a HTML page to a Air application.
    The HTML page has a simple Flex application (TestFlex4Project.mxml) with a button that changes one HTML element on the web page (TestFlex4Project.html) using ExternalInterface. If I run the Flex application using the HTML page it works just fine and when I click the button the HTML ellement is changed and the mouseover- and onclick events works. If I embedd the HTML page in an Air application the mouseover- and onclick events does not work any more. Why?
    If I use Aternative 1 in the HTML code (instead of using Aternative 2 in the HTML code where I'm editing the innerHTML property) the mouseover- and onclick events works when the HTML page is embeded in Air. Why?
    Even more strange is that if I remove the line [<img src="http://www.adobe.com/images/shared/download_buttons/get_flash_player.gif" alt="Get Adobe Flash player" />] from the HTML page the Flex application dose not show at all when embedded in Air. Why?
    You can try the online sample here and the files here.
    The application looks like this:
    And if you click the button and click the upper most text you will recieve a message like this:
    But not when I use innerHTML and embedd the HTML page in Air. Can anyone please help me with this issue. Is it a bug or what am I doing wrong? I need to change some HTML elements using innerHTML.
    Thanks!!
    The code for TestFlex4Project.mxml is like this
    <?xml version="1.0" encoding="utf-8"?>
    <s:Application xmlns:fx="http://ns.adobe.com/mxml/2009"
        xmlns:s="library://ns.adobe.com/flex/spark"
    width="100%"
    height="100%">
    <fx:Script>
      <![CDATA[
       function buttonClickHandler(event:Event):void{
       ExternalInterface.call(" function(){SetHTML();}")
      ]]>
    </fx:Script>
    <s:HGroup verticalAlign="middle">
      <s:Button label="Edit HTML Element" click="buttonClickHandler(event)"/> 
    </s:HGroup>
    </s:Application>
    The code for TestFlex4Project.html is like this
    <!DOCTYPE html>
    <html lang="en">
    <head>
    <meta charset="utf-8"/>
    <title>Test Flex 4 Project</title>
    <meta name="description" content="" />
    <script src="js/swfobject.js"></script>
    <script>
      var flashvars = {
      var params = {
       menu: "false",
       scale: "noScale",
       allowFullscreen: "true",
       allowScriptAccess: "always",
       bgcolor: "",
       wmode: "direct" // can cause issues with FP settings & webcam
      var attributes = {
       id:"TestFlex4Project"
      swfobject.embedSWF(
       "TestFlex4Project.swf",
       "altContent", "100%", "100%", "10.0.0",
       "expressInstall.swf",
       flashvars, params, attributes);
       function Message(){
       alert("Message!")
    function SetHTML(){
       //Start Alternative 1
       NewHTML.innerHTML = "Dynamically changed text"
       NewHTML.style.cursor = "pointer"
       NewHTML.style.color = "#ff0000"
       NewHTML.onclick = function(){
        Message();
       NewHTML.onmouseover = function(){
        this.style.fontWeight = 700;
       //End Alternative 1
       //Start Alternative 2
       var HTMLStr='<p style="cursor:pointer; fontWeight:300; color:#ff0000" onClick = "Message()" onMouseOver = "this.style.fontWeight=700">Dynamically changed text</p>'
       NewHTML.outerHTML=HTMLStr
       //End Alternative 2
    </script>
    <style>
      html, body { height:100%; overflow:hidden; }
      body { margin:0; }
    </style>
    </head>
    <body id="Body">
    <p id="NewHTML">This text will change when you click the button!</p>
    <p style="cursor:pointer; fontWeight:'300'; color:#ff0000" onClick = "Message()" onmouseover = "this.style.fontWeight='700'">Default text</p>
    <div id="altContent">
      <p><a href="http://www.adobe.com/go/getflashplayer">
       <img src="http://www.adobe.com/images/shared/download_buttons/get_flash_player.gif" alt="Get Adobe Flash player" />
       </a>
      </p>
    </div>
    </body>
    </html>
    The code for the Airapplication is like this
    <?xml version="1.0" encoding="utf-8"?>
    <s:WindowedApplication
    xmlns:fx="http://ns.adobe.com/mxml/2009"
    xmlns:s="library://ns.adobe.com/flex/spark"
        xmlns:mx="library://ns.adobe.com/flex/mx"
    width="800"
    height="566">
    <mx:HTML id="HTMLObject" location="TestFlex4Project.html" width="100%" height="100%"/>
    </s:WindowedApplication>

  • Strange behaviour in .mac web galleries

    Hi,
    I have started to use .mac web galleries with aperture 2. However, I am witnessing some very strange behaviour. Firstly, it seems to take forever to update, the icon at the side of the gallery is permanently on the 'update' icon.
    Secondly, whenever I add new photos to the gallery it actually creates an entirely new gallery with all the photos from the previous gallery.
    Is anybody else having issues with the aperture flavour of .mac web galleries?
    thx
    Phil

    I have a similar problem Phil! I watch the status indicator for a web gallery progress to about half way then it stops, the album doesn't get published. I have published albums before this started happening, and have published other albums successfully but sometimes certain albums don't publish. I delete them and repost them to no avail. Hopefully we can get some answers! This is quite lame, don'tcha think?

  • Strange behaviour of SJS Web server 7.0U1

    Hi all,
    I installed SJS Web server 7.0U1 on a Sun Blade with Solaris 10. All ok and no errors till sometimes it hang because suddenley it keep accepting more connection that it should.
    We are tying everything but no clue.
    Any suggetions? ANyone else got this problem or similar to this?
    Thanks in advance
    san2rini!!!

    Hi,
    the problem is that when I look up the .perf I see the follow.
    Sessions:
    Process Status Client Age VS Method URI Function
    4384 response xxx.xxx.xx.xxx 23414 https-xxxx GET blablabla/200803101530.jpg send-file
    4384 response xx..xx..xxx.xx 50 https-xxxx GET blablabla/0080310.jpg send-file
    Now the AGE (which is 8 second by dedault) is keeping increasing and suddenly the webserver crash.
    ANy clue?
    regards

  • Strange behaviour css in login page

    when i want page from protected area, login page appears (without css)
    after successfull login css file appear in browser
    i go to page from protected area again and it appears
    next logins are ok
    protected pattern is /*
    i saw in admin app in tomcat that css is inside protected area and everything is ok
    i really don't know where is the trik
    should i put css from protected area ?

    Can you access the CSS without Login by typing the URL?
    I don't think so.
    You have to make sure, that the CSS is accessible this way.
    1. Permit the access of the CSS-File in your Login-Logic.
    2. Write the hole CSS-File into the Login-Page.
    3. Put it not into the Login-Protected-Area.
    Happy Coding. :-)

  • Strange behaviour of the web UI

    Hi,
    I have encountered something weird when i used the web UI of Oracle 10g Express.
    I have a table with one of fields defined as Blob type and this table contains a record with data in the blob field.
    I used a Java application (created by myself) and standard Java's record fetching methodology to get the record from that table and everything works fine. The key point here is that i am able to retrieve the blob data from the DB.
    However, when i used the web UI to update a particular field in that table (e.g. changed a value), i could no longer retrieve the blob data using the Java application. It returned a null instead and moreover, the web UI still indicates that there was value in the blob field.
    I am wondering if anyone else has encountered this problem. Is it a bug?

    when i used the web UI to update a particular field in that table (e.g. changed a
    value), i could no longer retrieve the blob data using the Java application. It
    returned a null instead and moreover, the web UI still indicates that
    there was value in the blob field.Post exactly how you update that table.

  • When visiting web page strange symbols cover the web page, happens on sites visited, have confirmed that the sited and page visited is normal on other pc.

    I have scanned for malware by using Spy Bot, EST Smart Security, Microsoft security essentials and IO bit Malware Fighter. All come back clean. Have uninstalled Firefox and clean installed Firefox after reboot.
    Still no change. Thank in advance for suggestions on how to fix. Note this is being sent from the 2nd PC which does not have the described issue.

    Update:
    Thanks to ideato and jscher2000, the problem described appears to be solved.
    My final step after updating the video driver was to go into msconfig.exe and click on Startup Tab and disable all ''non microsoft'' startup items, I did leave ESET security program to also load at startup. I then went to the General tab and clicked Selective startup.
    Did a reboot and problem solved. The problem is now isolated to those startup programs which I had disabled in the msconfig program.
    Thanks again for the help

  • Why does Acrobat suddenly not work on my Mac (won't open pdf files from a web page), yet I can open them from my iPhone? Everything worked fine yesteray.

    Hello:
    I have a Mac running OS 10.8.5 and I use Acrobat Pro and Acrobat Reader. Today for some reason, any time I try and access a pdf file from a web page, it won't open. I get a blank window. PDF files already on my computer open fine and I can create PDF files from Word docs, but I can't download or view any pdf file from any web page. Strangely, PDF files on web pages open just fine on my iPhone.
    I checked that both my copy of Acrobat Pro and Acrobat Reader are up-to-date. They are.
    I checked that my copy of Firefox is up-to-date. It is. And nothing changed with Firefox within the last 24 hours.
    I am a humble computer end-user. I am baffled as to why this would suddenly not work. I have not changed any settings, etc. Any help or suggestions would be greatly appreciated.

    Thank you.
    I checked your instructions you sent and as far as I can tell all of my settings, etc for Firefox (plugin updates and preferences) are correct but I am having the same problem.
    However, everything works in Safari. I don't have time to attempt to diagnose why Firefox no longer works. I will just switch to Safari.
    Many thanks.
    Charles
    Charles Deister
    (503) 949-5762
    [email protected]<applewebdata://81CB4171-226F-49DF-BD59-A38A7360B3FB/[email protected]>
            PO Box 5032
         Salem, OR 97304
    http://www.pilotstrat.com<http://www.pilotstrat.com/>
    This transmission (including any attachments) may contain confidential information, privileged material, or constitute non-public information. Any use of this information by anyone other than the intended recipient is prohibited. If you have received this transmission in error, please immediately reply to the sender and delete this information from your system. Use, dissemination, distribution, or reproduction of this transmission by unintended recipients is not authorized and may be unlawful.

  • Web pages are not automatically published. First they are saved as drafts with a .new extension.

    Hi,
    I am curently using adobe CS3. I am facing this strange
    problem where my web pages are being saved with a .new extension
    when I am tryign to publish. Everytime I need to go and change the
    extension from .cfm.new to .cfm inorder to see the changes made to
    the web page. I have even enabled the option so that contribute
    does not send the page for reviewing before publsihing. Even after
    enabling it I am facine the same problem. And this problem is being
    faced by everyone who has publishing rights including the admin.
    Can anyone please suggest a way to get rid of the .new extension
    after publishing.
    Your help will be greatly appreciated.
    Thanks!

    We, too, are having this problem.  I see two posts in 2008-07 reporting this, but no answers and nothing via Google.
    Details:
    1. The web server is a Red Hat Linux / Apache.
    2. It seems site-wide:  several department webmasters have reported the problem.  It may be limited to webs that are using Contribute and check-in/check-out.
    3. The only thing I can think might be causing it is that our NTP daemon is broken, and the time of day drifted ~6 minutes (I have since reset the clock by hand).

  • When creating PDF from web page why does text appears as strange font not readable?

    I am using Acrobat Standard, ver. 9.5.5.  Frequently if I save a web page on either Firefox or Internet Explorer by printing to my Adobe PDF driver, much of the text is rendered in a strange font rather than in the font that appears on the web page.  The only work-around I have found is to print the document to a printer and then scan the printed page to create a PDF.  Is there a solution to this problem?

    The OS may be an issue so what are you using Win7, Win8, XP, MAC, or other? In printing, what job settings are you using? When you open the PDF, check the properties (ctrl-D) to see if the fonts are embedded or not. The problem is likely related to the font not being embedded. The embedding may be a license issue for the font. Acrobat will only embed fonts that are properly licensed. You might try the Print or Press job settings that are a bit better to embedding all fonts.

  • GoTo Web Page Behaviour & Text?

    Hi there.
    Flash CS3
    I'm just trying to play around with some text animation and
    no where
    near to what CS3 can do.
    1. I have a background image (converted to graphic) on its
    own layer
    which runs the whole animation. I have added a Go To Web Page
    Behaviour
    which triggers with "On Release" Event.
    2. On second layer I have text created as STATIC text saved
    as graphic.
    This text drop in from the top to the middle of the
    background.
    3. On a 3rd layer I have created text as DYNAMIC text which
    does the
    same as the STATIC text en drop in next to it.
    When previewing this in my browser (IE 7 & FF) the little
    hand which
    says it's clickable goes away when hovering it on top of the
    second text
    (DYNAMIC). The moment this text appears on the animation, the
    place
    where I could click to activate the Go to Web Page Behaviour
    is not
    clickable anymore.
    See example here:
    http://www.sincro.co.za/flash/clickable.html
    I will really appreciate any help.
    Regards,
    Deon

    Your page is just one Flash movie. Your question, therefore,
    is about how
    FLASH behaves, not about HTML or anything DW. I suggest you
    post this on
    the Flash forum.
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    ==================
    "Deon H" <[email protected]> wrote in message
    news:[email protected]..
    > Hi there.
    >
    > Flash CS3
    >
    > I'm just trying to play around with some text animation
    and no where
    > near to what CS3 can do.
    >
    > 1. I have a background image (converted to graphic) on
    its own layer
    > which runs the whole animation. I have added a Go To Web
    Page Behaviour
    > which triggers with "On Release" Event.
    > 2. On second layer I have text created as STATIC text
    saved as graphic.
    > This text drop in from the top to the middle of the
    background.
    > 3. On a 3rd layer I have created text as DYNAMIC text
    which does the
    > same as the STATIC text en drop in next to it.
    >
    > When previewing this in my browser (IE 7 & FF) the
    little hand which
    > says it's clickable goes away when hovering it on top of
    the second text
    > (DYNAMIC). The moment this text appears on the
    animation, the place
    > where I could click to activate the Go to Web Page
    Behaviour is not
    > clickable anymore.
    >
    > See example here:
    >
    http://www.sincro.co.za/flash/clickable.html
    >
    > I will really appreciate any help.
    >
    > Regards,
    > Deon

  • Strange behaviour in web cartographic application

    Hi group,
    I have noticed a strange behaviour with the overview tool of my web application with MapInfo data uploaded in Oracle 10g with EasyLoader. When I put the cursor near the limit of some polygons but outside of its surface, the overview tool shows the info of this polygon when it should show the info of the neighbor polygon. It's like if the boundary of the polygon is outside of its limit but visually the borders are looking good.
    After many tests, I think the problem may be related with the tolerance precision and the table bounds in sdo_metadata. The table is in lat/long (8307) and the tolerance setted by Easyloader is X: 7.9013E-6 and Y:1.01201E-5
    In MapInfo I gave this bounds to the table: min x: -82.0483359 min y: 43.2322719 max x: -54.6521931 max y: 64.3415211 but when loaded in Oracle the bounds are automatically set to -180/180 and -90/90
    I tried to change the tolerance and the bounds in Oracle and create a new spatial index without success. Changing the bounds in MapInfo prior uploading to Oracle was unsuccessfull as well.
    Anything else could be tryed?
    Thank you
    Maxime D.

    Maxime,
    Didn't you contact me privately about something like this? No matter.
    the tolerance setted by Easyloader is X: 7.9013E-6 and Y:1.01201E-5These tolerances are not what Oracle says should be set for geodetic (8307) data. From the documentation...
    The tolerance value for geodetic data should not be smaller than 0.05 (5 centimeters)You can do one of two things:
    1. If you have SQL Developer, install GeoRaptor and then right mouse click on the table in the connect pane and select Metadata Manager. Then calculate XY values and if GeoRaptor doesn't set the tolerances to 0.05 do it manually. Then press Update.
    2. Using SQLPlus or SQL Developer's SQL Worksheet, do this:
    update user_sdo_geom_metadata
    set diminfo = SDO_DIM_ARRAY(SDO_DIM_ELEMENT(-82.0483359,-54.6521931,0.05),
                                SDO_DIM_ELEMENT(43.2322719,64.3415211,0.05)),
           SRID = 8307
    where table_name = YOUR TABLE
      and column_name = YOUR SDO_GEOMETRY COLUMN NAME;
    commit;NOTE: It is OK to have ordinate ranges different from -180..180, -90..90.
    Drop your index and rebuild.
    Should now be OK.
    If it starts to misbehave again (and the metadata has been changed) then all one could say is that perhaps the MapInfo software is modifying the metadata some how. Perhaps this is related to the MAPINFO_MAPCATALOG?
    Any MapInfo gurus know?
    regards
    Simon

  • Strange icon appears on my web pages

    I have a web site and for a long time now this icon has been appearing in my editor and now it sometimes appears on my live web page this is the icon 
    I have disabled all my plugins and add ons have disabled F7 someone had suggested the charset Currently using charset=iso-8859-1) was set incorrectly but my webmaster says that is not the cause,this is only happening in FF in IE it is ok, most of my pages are not affected yet some have 20 to 30 of these icons spread around the page,anyone with some fresh ideas would be appreciated.

    I have cleared all current icons,mostly they occur in the back end of my site in my editor page,only recently they have been appearing on my published site. So wouldn't be able to give you access,was hoping someone may have experienced the same problem.
    Thanks for the response

  • Web pages showing up as strange gibberish/code

    Some web pages are showing up as "coded" or complete gibberish on our MacBook Pro...
    So for today's featured Wiki page, it shows up as "Parapsychology is the study af boromarnal evemts imcludimg...(continuing this way on the whole page and all others on Wiki)" But when cut and pasted it says: "Parapsychology is the study of paranormal events including..." This doesn't just happen on Wiki, but that's the one we obviously notice the most.
    Only happens on the MacBook Pro, NOT on the iBook. Everything's equally updated on both and Firefox versions are exactly the same. Any ideas on this one? Appreciate any insight you can give.

    A problem with text encoding settings in Safari, perhaps, Padi?
    Under "Text Encoding" in the view menu try selecting something like "Western Iso Latin 1" and see if the problem persists.
    (Edit - Whoops - I see you are using Firefox, so the encodings will be under "View/Character Encodings...")
    Cheers
    Rod
    Message was edited by: Rod Hagen

Maybe you are looking for

  • How to center text in shapes

    how to center text in shapes. specifically circles.  I want text to be centered directly in the middle

  • Your search query has exceeded  the limit

    Hi All, While importing contact more than 1000 contact i get the following error "Your server is not configured properly or your search query has exceeded the limit. Please check server configuration" How i can increse the max number of contact Any a

  • Trailing lines with Wacom

    Sorry in advance for this novel, but hopefully this can help someone or someone can think of a more permanent fix to this. Im using an Intuos 3 6x8 on a dual quad core with 8gigs of RAM and OSX 10.5.2. When I paint, whether with a brush, eraser, clon

  • After web page finish, mouse movement and scroll up down very slow.

    After web page finish loading,both mouse movement and scrolling that page is very slow. I compare the same page on MS internet explorer and have no problem. p.s. I'm using intel core 2 dual on 4gb ddr3 windows vista 32bit. == URL of affected sites ==

  • Verizon Prepaid plan

    Just wanted to express my frustration and anger about Verizon prepaid scam.  I have a prepaid plan for $70 a month.  I was told that all I would pay is $70.  Just went online to pay my monthly payment and they added $7 in taxes and fees.  Why did thi