XST producing seemingly random results

Hi,
I have a circuit which I am synthesizing in XST and eventually building into a bit file. The problem is that some times the bitfile doesn't work and simply regenerating the netlist with a change in some parameter (say Safe Implementation) and no changes in verilog generates a bitfile that works. Thus every change to the verilog I make is resulting in this frustrating cycle ot synthesize-test-synthesize again-test again.
I brought out some of the internal signals of the design out and the times when the design fails, the condition that it fails on is impossible with the correct interpretation of my verilog (1 signal is an input two 2 modules. One of the modules waits infinitely for that signal to become valid while the other proceeds). 
Also, post synthesis simulation works in both cases. I am pretty much at my wits end here.
Any help would be greatly appreciated.
EDITL I'm using 12.4
Thanks!

Bad results from synthesis are rare in my experience. Unless you are comparing specific netlist-level logic which is seen to be incorrect in FPGA Editor (I've even seen a false positive here from the Technology Viewer schematic view), it is much more likely that another problem exists, which might include:
-unconstrained timing paths
-incorrect timing constraint (e.g. period of 10ns instead of 8ns)
-part below correct voltage, too much voltage ripple, too high of Tj for device), etc.
-incorrect I/O standard, wrong Vcco, etc.
-unconstrained I/O placement (<100% LOCed IOBs in map report) and actual placement varies between runs. Sometimes where you want it to really be. Sometimes not
-flip flops not being packed into IOB and FPGA-level set-up/hold time and/or clock-to-out varies between runs based on actual placement
-difference in BUFG/DCM placement impacting external effective FPGA timing
-running component outside of its spec (e.g. not following DCM high/low input/output rates for respective DLL & DFS range)
-targetting wrong speed grade part (e.g. -2 instead of -1)
-inproperly synchonized inputs to state machine
-clock issue, including improperly handling clock domain interfacing
-reset issue (e.g. asynchronous reset causing issue with one-hot state machine initialization)
-uncovered logic condition that fails to show up in simulation
-using a different clock and/or frequency that you think you are
-other board level issue other difficult to troubleshoot issue: simultaneous switching output, crosstalk, too much ripple on adjacent memory interface termination voltage, etc.
Yes, I've seen all of these...
Other useful info:
http://www.xilinx.com/products/quality/fpga_best_practices.htm (FPGA Design Best Practices)
bt

Similar Messages

  • Seemingly random errors (Class Loading)

    Hi,
    I wonder if anyone out there could help me or point me in the right direction to solve this problem im having.
    For a Uni project I am writing a Java application that takes three components stored in seperate Jar files (GUI, AI, and Model) dynamically from user defined locations by a central loading class.
    eg GUIAddress = "c:/java/guis/gui.jar"
    Each has a loading class defined in a MANIFEST.MF file within each Jar file and these are in turn defined by interfaces within my central loading program.
    I have set it out like this to allow me to quickly test out different components without changing the main structure of the program.
    The problem im having is that I keep getting different ClassFormatErrors depending on what I have changed. Errors include:
    Local variable name has bad constant pool index
    Extra bytes at the end of the class file
    Code segment has wrong length
    Illegal constant pool index
    Code of a method has length 0All these errors are produced with the same compiler (JRE1.4.2) and with minimal changes to the source code.
    For example I get the program to a stage where it works then add the un-used constant to a classprivate int foobar = 10; recompile and reload and i get the error Extra bytes at the end of the class file if I take it out again recompile and rerun and alls better.
    Now to me that one line shouldnt make a differene to the program in any significant way. But anyway thats just a small example to show you what my problem is.
    These problems started when i made a class Span (http://rex.homeip.net/~matt/java/gui/src/gui/graphs/Span.java) which as you can see does nothing special, but when i use it from another class (http://rex.homeip.net/~matt/java/gui/src/gui/GraphViewer.java) all hell breaks loose. Now i know the class is being loaded and methods can be called from it (line 84) but if i try to call setSpan() then i get the error Local variable name has bad constant pool indexIf anyone has any clues please let me know, im getting sick of going round in circles.
    Cheers in advance.
    Matt
    links
    Main loading class: http://rex.homeip.net/~matt/java/loader/src/loader/Loader.java
    Class Loader: http://rex.homeip.net/~matt/java/loader/src/loader/setup/SetupManager.java
    GUI: http://rex.homeip.net/~matt/java/gui/src/gui/Gui.java
    GraphViewer: http://rex.homeip.net/~matt/java/gui/src/gui/GraphViewer.java
    Span: http://rex.homeip.net/~matt/java/gui/src/gui/graphs/Span.java

    I think I have the solution....
    I had the same exact (seemingly random) ClassFormatExceptions being thrown from my custom Class-Loader as well. I would get the same variety of debug prints as you (Invalid constant pool, Code segment has wrong length, etc). At times it seemed to happen randomly to different classes that I loaded, depending on small changes I made to the code.
    Here is the background and how I solved it.
    I dervied from ClassLoader to make my custom class-loader. I overrode the findClass() method, and NOT the loadClass() method. This is the Java 2 method of making class-loaders, which is simplier than implementing your own loadClass() as in the older Java 1.1way of doing things.
    My custom class-loader (called JarFileClassLoader, BTW) already had a list of JAR files that it searched when its findClass() method was called from its parent. I was using a JarFile object to examine the contents of a particular JAR file. Once it found the JarEntry that represented the class I wanted to load, it asked for the InputStream by calling:
    JarEntry desiredEntry = // assigned to the JarEntry that represents the class you want to load
    InputStream myStream = myJar.getInputStream( desiredEntry );
    Then I asked how many bytes were available for reading, I created a byte array that could hold that many bytes, and I read the bytes from the InputStream:
    int totalBytes = myStream.available();
    byte[] classBytes = new byte[totalBytes];
    myStream.read( classBytes );
    Finally, I would define and resolve my class by:
    Class loadedClass = super.defineClass( className, classBytes, 0, classBytes.length );
    resolveClass( loadedClass );
    Sometimes, on the call to defineClass(), I would get all the weird ClassFormatExeptions.
    After the searching around these forums for a while, I found a lot of discussion about this problem, but I didn't find any concrete explanations or solutions. But I did see some cursory discussion about the InputStream class. This lead me to investigate how this class works exactly.
    As it turns out, when you call:
    myStream.read( classBytes );
    it is NOT guaranteed to read all the available bytes and completely fill the byte array you made for it. It could very easily read LESS than the total available bytes. I don't know why it would do this...maybe something to do with internal buffering of the stream. This happens more often on bigger sized class files that you are trying to read.
    The read() call will return an integer that represents the actual number of bytes read during that attempt to read. So, the solution is to check if you got all your bytes during the first call to read(), if not, then read some more.
    There is another version of the read() method that takes an 'offset' value into your array and a max bytes to read value. I used this method to modify my code to look like:
    int total = myStream.available();
    int numNeeded = total;
    int numRead = 0;
    int offset = 0;
    byte[] classBytes = new byte[total];
    do
    numNeeded -= numRead;
    offset = numRead;
    numRead += inStream.read( classBytes, offset, numNeeded );
    } while( numRead < total );
    This will continue looping until all the bytes are read. Then I never got those funky ClassFormatExceptions again. Before my fix, I was getting partial class definitions from calls to read() that didn't return all the bytes. Depending on which part of the class was omitted, I got the varied error prints that you got. Now, after this fix, it seems to work just fine.
    Hope this helps!
    -Mark

  • Can I produce such a result with a single query?

    I am having a table with records like
    A....B
    1....20
    2....19
    3....03
    4....09
    5....74
    6....24
    7....31
    Column A is a primary key and Column B has radomly generated positive integer numbers. I need to generate one more column C with randomly generated positive integer values (including 0) so that -
    1) The values genereated for the Column C must be less than or equal to corresponding value of Column B.
    2). The randomly generated values for Column C should be in such a way so that the sum of values for Column C would be 30% of the sum of values of Column B.
    In our example, the sum(B) = 180. So the sum(C) should be around 54.
    One of the snap of column C can be like this...
    A....B....C
    1....20....14
    2....19....00
    3....03....02
    4....09....03
    5....74....03
    6....24....01
    7....31....31
    ......==-..==
    .....180...54
    How do I write a query to produce such a result?

    You may try the following:
    SQL> CREATE TABLE t AS SELECT ROWNUM a,ROUND(DBMS_RANDOM.VALUE(10,99)) b FROM user_objects WHERE ROWNUM <= 15
    Table created.
    SQL> BREAK on l
    SQL> COMPUTE SUM OF b on l
    SQL> COMPUTE SUM OF c on l
    SQL> SELECT a,
           b,
           c,
           l
      FROM (SELECT a,
                   b,
                   c,
                   ROUND (30 / 100 * s) s,
                   SUM (c) OVER (PARTITION BY l) d,
                   l
              FROM (SELECT a,
                           b,
                           l,
                           ROUND (DBMS_RANDOM.VALUE (1, b)) c,
                           SUM (b) OVER (PARTITION BY l) s
                      FROM t,
                           (SELECT     LEVEL l
                                  FROM DUAL
                            CONNECT BY LEVEL <= 50000)))
    WHERE d = s
             A          B          C          L
             1         12          3        184
             2         40         31          
             3         79          7          
             4         46          8          
             5         18          7          
             6         14          3          
             7         48         12          
             8         32          8          
             9         67         16          
            10         25         20          
            11         23         17          
            12         22          2          
            13         24          8          
            14         74          5          
            15         48         25          
                      572        172 sum      
             1         12          3      10298
             2         40         25          
             3         79         32          
             4         46          6          
             5         18          6          
             6         14          4          
             7         48          4          
             8         32         26          
             9         67         31          
            10         25          2          
            11         23          3          
            12         22         12          
            13         24          7          
            14         74          3          
            15         48          8          
                      572        172 sum      
             1         12          8      13450
             2         40          5          
             3         79         12          
             4         46         13          
             5         18         11          
             6         14         11          
             7         48          8          
             8         32         22          
             9         67          3          
            10         25          4          
            11         23          2          
            12         22         14          
            13         24         12          
            14         74         40          
            15         48          7          
                      572        172 sum      
             1         12          1      16656
             2         40         31          
             3         79          3          
             4         46         20          
             5         18          9          
             6         14          5          
             7         48         18          
             8         32         24          
             9         67         16          
            10         25          5          
            11         23          7          
            12         22          2          
            13         24          6          
            14         74         23          
            15         48          2          
                      572        172 sum      
             1         12          5      19842
             2         40         11          
             3         79         11          
             4         46         12          
             5         18          2          
             6         14          2          
             7         48          3          
             8         32         16          
             9         67         10          
            10         25         11          
            11         23         17          
            12         22         18          
            13         24          6          
            14         74         26          
            15         48         22          
                      572        172 sum      
             1         12          3      22337
             2         40         18          
             3         79          9          
             4         46         26          
             5         18         11          
             6         14          9          
             7         48         25          
             8         32         14          
             9         67          6          
            10         25          3          
            11         23         21          
            12         22         12          
            13         24         10          
            14         74          4          
            15         48          1          
                      572        172 sum      
             1         12          5      24501
             2         40         11          
             3         79         48          
             4         46          3          
             5         18          6          
             6         14          8          
             7         48          2          
             8         32          3          
             9         67         21          
            10         25          7          
            11         23         16          
            12         22          2          
            13         24         16          
            14         74         12          
            15         48         12          
                      572        172 sum      
             1         12          8      24555
             2         40         29          
             3         79          7          
             4         46         13          
             5         18          5          
             6         14          4          
             7         48         20          
             8         32          3          
             9         67         17          
            10         25         13          
            11         23         18          
            12         22          2          
            13         24          5          
            14         74         27          
            15         48          1          
                      572        172 sum      
             1         12          7      27312
             2         40         11          
             3         79          3          
             4         46         37          
             5         18          3          
             6         14          7          
             7         48         16          
             8         32          8          
             9         67         27          
            10         25          2          
            11         23         14          
            12         22          4          
            13         24         20          
            14         74          9          
            15         48          4          
                      572        172 sum      
             1         12          3      29197
             2         40         12          
             3         79         24          
             4         46         17          
             5         18          6          
             6         14          9          
             7         48         17          
             8         32         17          
             9         67          4          
            10         25         23          
            11         23         15          
            12         22          4          
            13         24          5          
            14         74          2          
            15         48         14          
                      572        172 sum      
             1         12          8      32635
             2         40          5          
             3         79         21          
             4         46          1          
             5         18          9          
             6         14          6          
             7         48         20          
             8         32          6          
             9         67         43          
            10         25         10          
            11         23         15          
            12         22          5          
            13         24          4          
            14         74         15          
            15         48          4          
                      572        172 sum      
             1         12          2      38404
             2         40         26          
             3         79          6          
             4         46         28          
             5         18          4          
             6         14          2          
             7         48          4          
             8         32         13          
             9         67         19          
            10         25          3          
            11         23          3          
            12         22         11          
            13         24         13          
            14         74         32          
            15         48          6          
                      572        172 sum      
             1         12         10      38830
             2         40          5          
             3         79          8          
             4         46          3          
             5         18          2          
             6         14         12          
             7         48         42          
             8         32          5          
             9         67         27          
            10         25          4          
            11         23          9          
            12         22         11          
            13         24         11          
            14         74         10          
            15         48         13          
                      572        172 sum      
             1         12          2      42291
             2         40          5          
             3         79         34          
             4         46         24          
             5         18         15          
             6         14          7          
             7         48          7          
             8         32         10          
             9         67          1          
            10         25          5          
            11         23         20          
            12         22          8          
            13         24          3          
            14         74          7          
            15         48         24          
                      572        172 sum      
             1         12          5      47614
             2         40          6          
             3         79         15          
             4         46         32          
             5         18          6          
             6         14         12          
             7         48          8          
             8         32          7          
             9         67          6          
            10         25         22          
            11         23          8          
            12         22          3          
            13         24         17          
            14         74         13          
            15         48         12          
                      572        172 sum      
    225 rows selected.

  • Latest update causes seemingly random crashes

    I recently updated to the new version of 2.2. The update seemed to go without a hitch. Within an hour I had my first taste of what was to come. Listening to the ipod music (not a third party app), it just crashed in the middle of a song. It shows the apple icon and reboots. about 8-10 minutes later, it just stops playing and locks up. When manually rebooting the phone, and reopening the ipod, it crashed after the third song. It also does this while watching video(s). Seemingly at random times with NO user interaction. Pandora application rarely gets by 1 or 2 songs now. I now have trouble syncing to the appstore, itunes and mail.
    The 3G reception bars now suddenly drop from full to nothing, then back again. The wireless connection is less stable. .......I'm sitting here right now watching the bars go from full to nothing at seemingly random intervals never lasting more than 30 seconds. The phone is just sitting here doing nothing. It seems to me that the crashing/reboot behavior is similar to a memory leak or something similar that can allow the phone to handle so much (I don't know what it could be since it is seems so random, yet frequent) before crashing.
    I have restored the phone and tried a new install and have the exact same results. The previous update left me happy if not at least functional. I didn't have any issues as frequent as this. My phone is basically useless now since none of the applications proprietary or not seem to work for long now.
    Is anyone having similar issues they could share some secret iphone handshake to make it work again, or has anyone had any luck getting through to tech support? I'm not having any luck there currently.

    I suspect its most likely a Java bug.
    You're best off reporting it to Sun, err I mean oracle.

  • Applet freezes (seemingly) randomly upon certain actions

    Hello all,
    I am developing a signed java applet for my company in which the user can hit multiple HTML buttons, and those buttons trigger javascript which in turn signals the applet to perform some task. I can't post the source code unfortunately, but the main gist is that the following buttons are available: Upload Files, Preview File, Edit File, Copy To USB, Delete, and Exit.
    This applet is used only on a closed system (i.e. we can trust our users 100%), so everything is handled through AccessController.doPriveleged calls, so as to give full access to the actions called from the javascript.
    To clarify each of the actions:
    (We deal mostly with ppt/pps)
    Upload Files - opens up a JFileChooser window for the user to select multiple files. Upon hitting OK, the files are sent to a server for permanent storage, and copied to a desktop folder for temporary storage.
    Preview File - Converts a ppt to pps (if needed), and launches it using the Desktop.open() call.
    Edit File - Converts file from pps to ppt (if needed) and calls Desktop.open().
    Copy To USB - opens a JFileChooser for the user to select a USB stick directory, and copies all files from the desktop to it.
    Delete - Displays a confirmation window, and upon hitting OK deletes the file from the client and server.
    Exit - Confirms with the user, and upon hitting OK, re-uploads any edited files to the server and navigates away from the page.
    Most of these actions are handled through threads. So every time a button is hit, a new thread is spawned. The threads go away once the action is performed in full .. i.e. when all files are uploaded, or a file is launched.
    Everything works like a charm, except (seemingly) randomly, when hitting the Upload, Copy, or Delete button the applet will freeze. I have many System.err.println statements throughout the entire application and it seems as though the applet freezes very early on in performing action. Namely, the last debug statement I see before the console freezes is usually "Perfoming action ('action name')" or "Dispatching to privileged thread". The first statement happens right after the doPrivileged call, and the second statement happens right before the call.
    There are no exceptions or anything displayed in the java console. This only happens on those 3 actions. The only thing I think they have in common is that they each show a JOptionPane/JFileChooser. The other actions don't. While the applet appears frozen, I noticed I could still launch files for previewing and editing, but no debug output is produced where it should be.
    Like I said, this appears random, but happens often. I can sit there and hit preview/edit over and over again for 10 mins and it will never freeze up. However, if I sit there hitting Upload/Copy/Delete over and over, it will normally freeze after 1-10 times (usually closer to 1-5).
    I know there is limited help you guys can give without seeing the source code, but I was wondering if anything pops out as a possible cause.
    Thanks for reading.
    Bryan

    Thanks for the response.
    I converted to JApplet, and am still noticing this behavior.
    Also, this freezing happens regardless of if I actually upload a file or not. What I am doing is just clicking Upload, then cancel, Upload, then cancel, and repeating a few times until it locks up. Same with the Copy button. I don't actually hit OK to copy, just keep hitting cancel. So each time I hit the button the following should be happening:
    Button is hit
    Javascript function is called
    Javascript calls java function dispatchAction.
    java function dispatchAction performs a doPrivileged, which inside the PrivilegedAction calls performAction
    performAction creates a Worker class, which is a custom class I made that implements Runnable. The reason for this is I had to be able to pass an external variable into the thread, and wasn't able to with a normal Runnable.
    the Worker class is run as a new thread, and inside it calls a function that creates the JFileChooser
    That's about it. I have been over the code a few times and find this very peculiar, because VERY little happens when the Upload/Copy/Delete buttons are clicked, then cancelled. The only thing I can see is an issue with calling too many doPrivilege or something, or too many threads .. no idea.
    Any other ideas?

  • Unable to create report. Query produced too many results

    Hi All,
    Does someone knows how to avoid the message "Unable to create report. Query produced too many results" in Grid Report Type in PerformancePoint 2010. When the mdx query returns large amount of data, this message appears. Is there a way to get all
    the large amount in the grid anyway?
    I have set the data Source query time-out under Central Administration - Manager Service applications - PerformancePoint Service Application - PerformancePoint Service Application Settings at 3600 seconds.
    Here Event Viewer log error at the server:
    1. An exception occurred while running a report.  The following details may help you to diagnose the problem:
    Error Message: Unable to create report. Query produced too many results.
            <br>
            <br>
            Contact the administrator for more details.
    Dashboard Name:
    Dashboard Item name:
    Report Location: {3592a959-7c50-0d1d-9185-361d2bd5428b}
    Request Duration: 6,220.93 ms
    User: INTRANET\spsdshadmin
    Parameters:
    Exception Message: Unable to create report. Query produced too many results.
    Inner Exception Message:
    Stack Trace:    at Microsoft.PerformancePoint.Scorecards.Server.PmServer.ExecuteAnalyticReportWithParameters(RepositoryLocation analyticReportViewLocation, BIDataContainer biDataContainer)
       at Microsoft.PerformancePoint.Analytics.ServerRendering.OLAPBase.OlapViewBaseControl.ExtractReportViewData()
       at Microsoft.PerformancePoint.Analytics.ServerRendering.OLAPBase.OlapViewBaseControl.CreateRenderedView(StringBuilder sd)
       at Microsoft.PerformancePoint.Scorecards.ServerRendering.NavigableControl.RenderControl(HtmlTextWriter writer)
    PerformancePoint Services error code 20604.
    2. Unable to create report. Query produced too many results.
    Microsoft.PerformancePoint.Scorecards.BpmException: Unable to create report. Query produced too many results.
       at Microsoft.PerformancePoint.Scorecards.Server.Analytics.AnalyticQueryManager.ExecuteReport(AnalyticReportState reportState, DataSource dataSource)
       at Microsoft.PerformancePoint.Scorecards.Server.PmServer.ExecuteAnalyticReportBase(RepositoryLocation analyticReportViewLocation, BIDataContainer biDataContainer, String formattingDimensionName)
       at Microsoft.PerformancePoint.Scorecards.Server.PmServer.ExecuteAnalyticReportWithParameters(RepositoryLocation analyticReportViewLocation, BIDataContainer biDataContainer)
    PerformancePoint Services error code 20605.
    Thanks in advance for your help.

    Hello,
    I would like you to try the following to adjust your readerquotas.
    Change the values of the parameters listed below to a larger value. We recommend that you double the value and then run the query to check whether the issue is resolved. To do this, follow these steps:
    On the SharePoint 2010 server, open the Web.config file. The file is located in the following folder:
    \Program Files\Microsoft Office Servers\14.0\Web Services\PpsMonitoringServer\
    Locate and change the the below values from 8192 to 16384.
    Open the Client.config file. The file is located in the following folder:
    \Program Files\Microsoft Office Servers\14.0\WebClients\PpsMonitoringServer\
    Locate and change the below values from 8192 to 16384.
    After you have made the changes, restart Internet Information Services (IIS) on the SharePoint 2010 server.
    <readerQuotas
    maxStringContentLength="2147483647"
    maxNameTableCharCount="2147483647"
    maxBytesPerRead="2147483647"
    maxArrayLength="2147483647"
                  maxDepth="2147483647"
    />
    Thanks
    Heidi Tr - MSFT
    Please remember to click “Mark as Answer” on the post that helps you, and to click “Unmark as Answer” if a marked post does not actually answer your question. This can be beneficial to other community members reading the thread.

  • Why does text on certain portions of websites, usually when adjacent text contains special characters, become jumbled into seemingly random sets of characters that are not in any way jumbled when viewing the source of the webpage? How can I fix this?

    When viewing most text on most websites, it displays properly. However, there are two instances where text will either tend to, or consistently, become jumbled into a mess of seemingly random characters. Oddly enough, these seemingly random characters are not, in fact, random. The same weird character will be used to replace the same regular English text character consistently across the entire area that has been jumbled.
    The two instances where this tends to occur most often, or consistently in some cases, are, first, when a paragraph or particular section of formatted text contains special characters, such as Chinese or Japanese characters, or accented letters. When this happens, usually the paragraph that contains the special characters is completely jumbled, while the rest of the text on the page will have intermittent jumbling on a word or two. Most often, the word "the" is jumbled in this case.
    The second instance where this happens is when a website uses specially formatted text in some form or another. I, not being an expert at web development, am not sure what kind of formatting causes it, but I can provide consistent examples in lieu of my experience:
    - Example 1:
    [http://img408.imageshack.us/img408/9564/firefoxcharencodingissu.jpg]
    Example 1 shows a portion of a screen-shot of the website "Joystiq.com". Every single article title on the front page of this blog is consistently jumbled, while the text of the article itself remains untouched. Please note that when this jumbled text is highlighted, it is visible un-jumbled in the right-click menu as well as in the source code of the page. Other consistent instances can be found within many search fields on various websites. For instance, the search bar located at the top right of "Kotaku.com" consistently displays jumbled characters both on its default text of "Search" and on any text that is typed into the search box itself.
    - Example 2:
    [http://img822.imageshack.us/img822/9564/firefoxcharencodingissu.jpg]
    Example 2 shows both the jumbling of the paragraph containing the character "☆" as well as the subsequent peppering of the rest of the article's text with small jumbled words. Below this is the DOM Source of the selected text which shows how the text itself is being rendered properly within the site's source. Additionally, for convenience, I have edited on to the bottom of the image a small snippet of what the search bar on the same page looks like. Notice how the grayed-out text that normally would read "Search" is instead jumbled.
    This issue has been plaguing my browser for the past year or so, and I had hoped that it would go away with subsequent Firefox updates. It has not gone away.
    Thank you for reading! Please help!

    This issue can be caused by an old bitmap version of the Helvetica or Geneva font or (bitmap) fonts that Firefox can't display in that size.
    Firefox can't display some old bitmap fonts in a larger size and displays gibberish instead.
    You can test that by zooming out (View > Zoom > Zoom Out, Ctrl -) to make the text smaller.
    Uninstall (remove) all variants of that not working font to make Firefox use another font or see if you can find a True type version that doesn't show the problem.
    There have also been fonts with a Chinese name reported that identify themselves as Helvetica, so check that as well.
    Use this test to see if the Helvetica font is causing it (Copy & Paste the code in the location bar and press Enter):
    <pre><nowiki>data:text/html,
    Helvetica<br><font face="Helvetica" size="25">abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ</font><br>
    Helvetica Neue<br><font face="Helvetica Neue" size="25">abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ</font>
    </nowiki></pre>
    You should reset the network.http prefs that show user set on the about:config page.<br />
    Not all websites support http pipelining and if they do not then you can have issues with images or other problems.
    See also http://kb.mozillazine.org/Images_or_animations_do_not_load#First_steps

  • My Final Cut Pro render files seem to end up in seemingly random locations.

    I find my Final Cut Pro render files seem to end up in seemingly random locations on the HDD. for example, they will appear in a sub-folder of an unrelated project. I would like my render files destination to be in a sub-folder for the project I am working on. How do you tell Final Cut where to put the render files? Can't figure it out.

    By default they are put inside your scratch folder, so if you change the scratch disk and forget to change it when you switch to a different project, your render files will be put inside the other project's scratch folder.
    You can change this by going to Final Cut Pro > System Settings. If you click the Set button below your current scratch disk (not the one next to it) you can assign a second location just for the video / audio renders if you desire (this must be on a different disk though).

  • Strange symbols appear on my desktop, producing even stranger results!

    Strange symbols appear on my desktop, producing even stranger results!

    These symbols are for short cuts. could be a command to move text insertion point to beginning of document or if you have been in system preferences keyboard and clicked on the modifier key and set one of the options it would be for setting cap lock. Don't know why you are showing a screen  shot of it. Have you clicked on it. Have you been doing any work with documents. You could go to disk utilities and repair permissions or do an pram reset. Command/Option?P/R while holding down the power button for three chimes and release.

  • Seemingly random node placement on block diagram

    When I create an indicator on the front panel, the block diagram node shows up in a seemingly random place. Sometimes it gets hidden. The opposite happens when I create a node on the block diagram. The front panel object placement seems random. 
    Is there a way to get a container where all things will appear in this box? Can I anticipate where something might show up? 
    Solved!
    Go to Solution.

    RavensFan wroteThough finding the origin on the block diagram isn't that easy.)
    Sure it is...Reset Origin
    There are only two ways to tell somebody thanks: Kudos and Marked Solutions
    Unofficial Forum Rules and Guidelines

  • (Illustrator CS6) Spacebar stops working seemingly randomly

    This is an infrequent issue I've had, but it has happened more than once in the last few weeks that I've been using CS6 on a regular basis:
    On occasion, my spacebar will just stop working in Illustrator CS6, so I can't use the hand tool or zoom or… you know, type, basically making Illustrator unuseable. Now, I'm PRETTY sure it has nothing to do with my actual keyboard, because the spacebar will continue to work just fine in every other application even after it does this.
    The only fix is restarting the computer. Just restarting the application doesn't do it. Deleting the preferences file and restarting doesn't fix it. It's really perplexing.
    Now, I'm NOT certain about this, but I think it might occur after waking from sleep (but not immediately, so perhaps it's unrelated). If/when it happens next, I will attempt to see if I can reproduce the issue, but so far I have no idea why it happens; it just seems random.
    I'm using a late 2008 MacBook Pro with 8GB of RAM, running Mac OSX 10.7.4 and Illustrator CS6 (16.0.0, in case people see this after an update has been released).

    I am having this problem as well, but happening quite frequently.
    Also having Illustrator crashing a lot randomly as well.
    Tried 32bit as well - same issue.
    I've deleted settings as well - same issue.
    I've tried this with multiple files, old and newly created in CS6. Same problem.
    No issues with CS5.
    Win7 x64 SP1
    16GB RAM
    128GB SSD

  • Often with 2 or 3 tabs/websites open, the tab does not have the X on the right side to close it. I have to right clock and hit Close Tab. Seems random. How can I assure all tabs have the X?

    Sometimes when I have 2 or more websites open, the tabs for them do not have the"X" on the right end that I can click to close them. Others right next to it may have the X or not - it seems random. The only way to close the x-less tabs is to right click and select Close tab. How do I tweak it so there are always X's? The only relevant add-on I can think of is Colorful Tabs, and I have the latest version of it.

    If you are not new to browsers, you would probably prefer the single "X" at the far right of the tabs bar to close the active tab, but in any case your choices are described for the configuration option of '''browser.tabs.closeButtons''', see
    * http://kb.mozillazine.org/Browser.tabs.closeButtons
    * Tabbed Browsing in Firefox<br>http://dmcritchie.mvps.org/firefox/tabs.htm
    * Tabs configuration, extracted from About:config entries - MozillaZine Knowledge Base<br>http://dmcritchie.mvps.org/firefox/tabs_config.htm
    '''More information on configuration variables''' if you are not already familiar with '''about:config''' is available in
    [http://kb.mozillazine.org/About:config_entries about:config entries] and for users not familiar with the process there is [http://kb.mozillazine.org/About:config about:config] (How to change).

  • Mail tool seems to freeze my system at seemingly random times

    Mail tool seems to freeze my system at seemingly random times for a couple of minutes once or twice an hour. What's going on?
    I've run permissions repair, & the disk repair run showed no problems. The disk is split into Mac & BootCamp partitions and there's about 80GB free on the Mac partition. I'm running 2 x 8GB DIMMs that have been carefully matched and extensively memtested and passed. This is an early 2011, 15 inch MBP with the 1.5 GB ATI GPU option.
    The Console displays about 40 lines like this. Notice the 2 minute time delta between the 1st line in this subset from Console / All Messages:
    12/19/13 7:23:22.727 AM [0x0-0x78078].org.mozilla.firefox: OpenGL version detected: 210
    12/19/13 7:25:51.092 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.092 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.093 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.094 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.095 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.096 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.097 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.097 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.098 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.099 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.100 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.100 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.101 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.102 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.102 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.103 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.104 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.104 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.105 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.106 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.128 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.129 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.130 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.131 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.131 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.132 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.133 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.134 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.134 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.135 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.136 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.137 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.138 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.139 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.140 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.141 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.143 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.144 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.145 AM Mail: CFTimeZoneCreateWithName failed for -0500
    12/19/13 7:25:52.146 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.147 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.148 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.148 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.149 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.150 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.151 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.151 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:26:52.071 AM [0x0-0x7e07e].org.keepassx.keepassx: Found Metastream: Simple UI State
    Thanx,
                 - Geoff

    Mail tool seems to freeze my system at seemingly random times for a couple of minutes once or twice an hour. What's going on?
    I've run permissions repair, & the disk repair run showed no problems. The disk is split into Mac & BootCamp partitions and there's about 80GB free on the Mac partition. I'm running 2 x 8GB DIMMs that have been carefully matched and extensively memtested and passed. This is an early 2011, 15 inch MBP with the 1.5 GB ATI GPU option.
    The Console displays about 40 lines like this. Notice the 2 minute time delta between the 1st line in this subset from Console / All Messages:
    12/19/13 7:23:22.727 AM [0x0-0x78078].org.mozilla.firefox: OpenGL version detected: 210
    12/19/13 7:25:51.092 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.092 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.093 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.094 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.095 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.096 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.097 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.097 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.098 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.099 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.100 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.100 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.101 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.102 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.102 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.103 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.104 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.104 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.105 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:51.106 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.128 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.129 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.130 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.131 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.131 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.132 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.133 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.134 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.134 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.135 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.136 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.137 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.138 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.139 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.140 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.141 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.143 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.144 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.145 AM Mail: CFTimeZoneCreateWithName failed for -0500
    12/19/13 7:25:52.146 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.147 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.148 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.148 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.149 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.150 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.151 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:25:52.151 AM Mail: CFTimeZoneCreateWithName failed for -0800
    12/19/13 7:26:52.071 AM [0x0-0x7e07e].org.keepassx.keepassx: Found Metastream: Simple UI State
    Thanx,
                 - Geoff

  • Seemingly random intermittent packet loss

    Hello! Over the past month or so I've been experiencing intermittent packet loss.My internet will be completely find for anywhere between five minutes and 12 hours, and then suddenly I begin experiencing packet loss (sometimes to the point of total disconnection) for anywhere between 5 seconds and 30 minutes. It is seemingly random because it has happened during any time of the day and during any weather condition. It also does not seem to be related to one hop (if my understanding of pingplotter is correct)Here are a few examples of when the issue is occuring:http://i.imgur.com/cuGayms.pnghttp://i.imgur.com/jjt2K6Y.pnghttp://i.imgur.com/48DFCti.png Things I have tried I noticed that in my modem diagnostics page my upstream power level was pretty high at 54 dbmv.I removed a splitter that was before the modem and it instantly dropped to the lower 40's.I was hoping this would fix the problem, but the packet loss came back.This morning a particularly bad session of packet loss occurred and I decided to check my modem diagnostics again and discovered the upstream power level had jumped up to the upper 40's, lower 50's again, despite the splitter still being removed. I have also gone through the simple steps of power cycling, resetting everything, checking cables are not loose, etc. I figured I would ask on this forum for any ideas on my next step before consulting with comcast as I know that intermittent problems are nearly impossible for a tech to solve unless you're lucky enough to have the issue occur while the tech is present. Thank you for any help you can give!

    In a self troubleshooting effort to try to obtain better connectivity / more wiggle room, check to see if there are there any excess/unneeded coax cable splitters in the line leading to the modem that can be eliminated/re-configured. Any splitters that remain should be high quality and cable rated for 5-1000 MHz, bi-directional, and no gold colored garbage from Radio Shack, Home Depot, Target, etc. Splitters should be swapped with known to be good / new ones to test.
    If there aren't any unneeded splitters that can be eliminated and if your coax wiring setup can't be reconfigured so that there is a single two way splitter connected directly off of the drop from the street/pole with one port feeding the modem and the other port feeding the rest of the house/equipment with additional splits as needed, and you've checked all the wiring and fittings for integrity and tightness and refresh them by taking them apart then check for and clean off any corrosion / oxidation on the center wire and put them back together again, then perhaps it's best to book a tech visit to investigate and correct.

  • Just 4 days after having my i6 set up my screen orientation while viewing my pictures and videos has gone sideways or upside down  , seems random. Anyone know of a fix??

    Just 4 days after having my i6 set up my screen orientation while viewing my pictures and videos has gone sideways or upside down  , seems random. Anyone know of a fix?? Just discovered that it won't rotate as expected in other apps either.

    Im having a similar issue with my iPhone 6 Plus on iOS 8.  My issue is with the home screen and text screen being stuck and or freezing in place.  The home screen will flip upside down and stay that way and with my messages if I rotate the phone in landscape view it sometimes stays stuck or freezes in that view. I have to turn my phone off and on to get it back to normal.
    I also contacted apple support and they advised me to do a fresh restore which I did with iOS 8 but it still happened shortly after.  Apple said that if the problem persists to bring it to an apple store for repair or replacement.  Im thinking its a software issue because when I researched it on the internet it appears people with iPhone 5's and 5s's are experiencing the same or similar issues and orientation freezes. I just recently upgraded to iOS 8.0.2 and will monitor it and see if the issue was fixed.  So fingers crossed that iOS 8.0.2 fixes it. 

Maybe you are looking for

  • Can I set up AirportExpress for iPad2 without needing to use MacBook

    I want to use my iPad2 with hotel Ethernet cable with out requiring my MacBook. Is a computer required to set up the AirPort Express or can it be done from iPad2

  • Related to WAD 3.5

    Dear Experts, Could you please provide me with some information / links on how to create a radiobutton or a dropdown item , to display different characteristics. Also I need to display different queries based on the selection of different characteris

  • CF card

    old D30 can I buy a CF card adapter that uses laptop acceptable cards

  • Current Tab page

    hello !! i ask how can i get the current tab page ID !!!

  • Please Help Me With My JVC Everio

    I am trying to import my footage from my JVC Everio GZ-HD3U to iMovie HD. Apparently I had to change the quality to 1440 CBR. Unfortunately, I did not do this and already recorded half of my project. Is there any possible way to simply put the **** f