Table rendering incorrectly in IE

Have been handed an already created web page to fix. It was
created in DreamweaverMX 2004. When rendered in Internet Explorer
contains huge white block below mural at top of page and above
links to other areas of the site. Address is:
www.buenofoods.com
Have researched problem, but haven't found answer on how to
fix. Please help, if you can. Thx.

Art Shotwell wrote:
> I guess this may be off topic, but I'm looking for a way
to turn my
> static online bookstore into a dynamic site. In other
words, I don't
> know the first thing about how to start a
database-driven Web site. I've
> read a little about PHP and myhSQL. Not sure how to
design a database.
>
> Should I try to use Dreamweaver, which I'm familiar with
or try using a
> php-driven system like osCommerce or Mambo?
>
> Anyone got any suggestions? I'm not really a
programmer-type.
>
> Art
oops: current site is northwest-books.com

Similar Messages

  • Export to excel pivot table is incorrect

    Hi All,
    I have a problem when export Discoverer Plus report to Excel Pivot table...
    My problem is calculation field (ex. Average salary per employee) in pivot table shown incorrect
    data.
    May someone has any idea for this problem and how to solve it.
    Thanks,
    Mcka
    Remark: I have info. about Discoverer version that I use
    OracleBI Discoverer 10g (10.1.2.2)
    Oracle Business Intelligence Discoverer Plus 10g (10.1.2.54.25)
    Discoverer Model - 10.1.2.54.25
    Discoverer Server - 10.1.2.54.25
    End User Layer - 5.1.1.0.0.0
    End User Layer Library - 10.1.2.54.25

    Have anybody share idea about this problem ?

  • Safari 4 rendering incorrecting after iweb publish

    When I publish iweb locally and then view it in Safari 4, the initial view is rendered incorrectly. I may do this repeatedly, meaning there are many tabs left open of the local web sight as I view a new one with modifications. Safari almost seems to not be loading the old web version (in addition to poor rendering). If I use the development menu and choose user agent Safari 4, it renders properly from there on out. It is only the initial view navigated to my clicking the iWeb visit website after publishing that has a problem. It is not a problem with firefox.
    Any ideas? It is a hassle.
    thanks
    bob

    I really don't now. I gave up on Firefox a while back and only launch it for these medieval sites that won't work with Safari.

  • Is there a way to not to execute a query on table rendering?

    Is there a way to not to execute a query associated with an af:table on table rendering on the page?
    I would like to control this programmatically.
    Any examples will be much appreciated.

    Yes, there is.
    {thread:id=2362354}

  • Table Rendering - Row level vs Column level

    Normally renderers are specified for a given class of data or column of data.
    So, how would you handle rendering requirements that are row or table dependent? For example, how do I:
    a) color alternate lines in a table
    b) change the border of the selected cell
    Traditional Approach
    Most answers in the forum would be something like "use a custom render". Sounds great, but what does it really mean? If all your data is displayed as a String then it really isn't too difficult to create a single renderer with the required logic and add it to the table as the default renderer.
    However, what if you table contains, String's, Dates, Integer's, Double's and Boolean's and you want your cell to retain the default formatting of each data type in addition to the above requirement? Now you have two options:
    a) render by class (multiple renderers). Each renderer would need to implement the default "formatting" of the data (dates: dd-MMM-yyy, numbers: right justified, etc) in addition to the "row/table" rendering requirements. So the answer really becomes "use five custom renderers". Now the "row/table" rendering code is found in 5 classes. Of course you could always move the "row/table" rendering code up to a common base class.
    b) render by table (single renderer). A single custom renderer would be created and would need to implement the default "formatting" for all data types in the table, in addition to the "row/table" rendering. The benefit is that all the rendering code is in one class. An example solution is include for this approach.
    Alternative Approach
    I recently came across an approach where the "formatting" of the data is still done by the default renderers and the "row/table" rendering is done at the table level by overriding the prepareRenderer() method. This approach is much simpler, but the rendering is done in two different places. Is this a problem?
    So, my question is which approach do you prefer:
    a) Traditional Approach - multiple renderers
    b) Triditional Approach - single renderer
    c) Alternative Approach
    Me, I like the alternative approach, but I'm more of a problem solver than I am a designer, so I don't know how the solution fits in a large scale application.
    Hopefully your response will consider:
    a) OO design principles
    b) class reusability
    c) class maintenance
    d) anything else you can think of
    import java.awt.*;
    import java.text.*;
    import java.util.*;
    import javax.swing.*;
    import javax.swing.border.*;
    import javax.swing.table.*;
    public class TableRowRendering extends JFrame
        JTable table;
        Border selected = new LineBorder(Color.GREEN);
        public TableRowRendering()
            //  Model used by both tables
            Object[] columnNames = {"Type", "Date", "Company", "Shares", "Price"};
            Object[][] data =
                {"Buy", new Date(), "IBM", new Integer(1000), new Double(80.50)},
                {"Sell",new Date(), "MicroSoft", new Integer(2000), new Double(6.25)},
                {"Sell",new Date(), "Apple", new Integer(3000), new Double(7.35)},
                {"Buy", new Date(), "Nortel", new Integer(4000), new Double(20.00)}
            DefaultTableModel model = new DefaultTableModel(data, columnNames)
                public Class getColumnClass(int column)
                    return getValueAt(0, column).getClass();
            //  Traditional Approach
            table = new JTable( model );
            table.setPreferredScrollableViewportSize(table.getPreferredSize());
            getContentPane().add(new JScrollPane( table ), BorderLayout.WEST);
            TableCellRenderer custom = new CustomRenderer();
            table.setDefaultRenderer(Object.class, custom);
            table.setDefaultRenderer(String.class, custom);
            table.setDefaultRenderer(Date.class, custom);
            table.setDefaultRenderer(Number.class, custom);
            table.setDefaultRenderer(Double.class, custom);
            //  Alternative Approach
            table = new JTable( model )
                public Component prepareRenderer(
                    TableCellRenderer renderer, int row, int column)
                    Component c = super.prepareRenderer(renderer, row, column);
                    if (!isRowSelected(row))
                        String type = (String)getModel().getValueAt(row, 0);
                        c.setBackground(row % 2 == 0 ? null : Color.LIGHT_GRAY );
                    if (isRowSelected(row) && isColumnSelected(column))
                        ((JComponent)c).setBorder(selected);
                    return c;
            table.setPreferredScrollableViewportSize(table.getPreferredSize());
            getContentPane().add(new JScrollPane( table ), BorderLayout.EAST);
        //  Custom renderer used by Traditional approach
        class CustomRenderer extends DefaultTableCellRenderer
            DateFormat dateFormatter = SimpleDateFormat.getDateInstance(DateFormat.MEDIUM);
            NumberFormat numberFormatter = NumberFormat.getInstance();
            public Component getTableCellRendererComponent(
                JTable table, Object value, boolean isSelected,
                boolean hasFocus, int row, int column)
                super.getTableCellRendererComponent(
                    table, value, isSelected, hasFocus, row, column);
                //  Code for data formatting
                setHorizontalAlignment(SwingConstants.LEFT);
                if ( value instanceof Date)
                    setText(dateFormatter.format((Date)value));
                if (value instanceof Number)
                    setHorizontalAlignment(SwingConstants.RIGHT);
                    if (value instanceof Double)
                        setText(numberFormatter.format(((Number) value).floatValue()));
                //  Code for highlighting
                if (!isSelected)
                    String type = (String)table.getModel().getValueAt(row, 0);
                    setBackground(row % 2 == 0 ? null : Color.LIGHT_GRAY );
                if (table.isRowSelected(row) && table.isColumnSelected(column))
                    setBorder(selected);
                return this;
        public static void main(String[] args)
            TableRowRendering frame = new TableRowRendering();
            frame.setDefaultCloseOperation( EXIT_ON_CLOSE );
            frame.pack();
            frame.setLocationRelativeTo( null );
            frame.setVisible(true);
    }Before you make your final decision. What changes would be required for each solution in the following "what if " scenarios:
    a) what if, you added a Boolean column to the table
    b) what if, you added a second Double column to the table which should be formatted as a currency (ie. 1,234.5 --> $1,234.50).
    Here is an example of a currency renderer:
    class CurrencyRenderer extends DefaultTableCellRenderer
         private NumberFormat formatter;
         public CurrencyRenderer()
              super();
              formatter = NumberFormat.getCurrencyInstance();
              setHorizontalAlignment( SwingConstants.RIGHT );
         public void setValue(Object value)
              if ((value != null) && (value instanceof Number))
                   value = formatter.format(value);
              super.setValue(value);
    }

    Well, here's a partila solution using technique from a link you cited in another thread.
    import tests.basic.tables.ColorProvider;
    import javax.swing.*;
    import javax.swing.table.*;
    import java.awt.*;
    import java.text.NumberFormat;
    public class DecoratedTablePrepareRenderer extends JFrame {
        JTable table;
        private DefaultTableModel model;
        public DecoratedTablePrepareRenderer() {
            Object[] columnNames = {"Type", "Company", "Price", "Shares", "Closed"};
            Object[][] data =
                        {"Buy", "IBM", new Double(80.50), new Double(1000), Boolean.TRUE},
                        {"Sell", "MicroSoft", new Double(6.25), new Double(2000), Boolean.FALSE},
                        {"Sell", "Apple", new Double(7.35), new Double(3000), Boolean.TRUE},
                        {"Buy", "Nortel", new Double(20.00), new Double(4000), Boolean.FALSE}
            model = new DefaultTableModel(data, columnNames);
            table = new JTable(model) {
                //  Returning the Class of each column will allow different
                //  renderers to be used based on Class
                public Class getColumnClass(int column) {
                    return getValueAt(0, column).getClass();
                public Component prepareRenderer(TableCellRenderer renderer, int row, int column) {
                    Component c = super.prepareRenderer(renderer, row, column);
                    if (isRowSelected(row))
                        c.setFont(c.getFont().deriveFont(Font.BOLD));
                    return c;
            ColorProvider prov = new TransactionColorProvider();
            ColorTableCellRenderer renderer = new ColorTableCellRenderer(table.getDefaultRenderer(Object.class),prov);
            ColorTableCellRenderer boolrenderer = new ColorTableCellRenderer(table.getDefaultRenderer(Boolean.class),prov);
            ColorTableCellRenderer doublerenderer = new ColorTableCellRenderer(table.getDefaultRenderer(Double.class),prov);
                    int priceIndex = model.findColumn("Price");
              table.getColumnModel().getColumn(priceIndex).setCellRenderer( new EtchedBorderTableCellRenderer(new ColorTableCellRenderer(new CurrencyRenderer(),prov) ));
            table.setDefaultRenderer(Object.class,new EtchedBorderTableCellRenderer(renderer));
            table.setDefaultRenderer(Double.class,new EtchedBorderTableCellRenderer(doublerenderer));
            table.setDefaultRenderer(Boolean.class, new EtchedBorderTableCellRenderer(boolrenderer));
            JScrollPane scrollPane = new JScrollPane(table);
            getContentPane().add(scrollPane);
        class CurrencyRenderer extends DefaultTableCellRenderer {
            private NumberFormat formatter;
            public CurrencyRenderer() {
                super();
                formatter = NumberFormat.getCurrencyInstance();
                setHorizontalAlignment(SwingConstants.RIGHT);
            public void setValue(Object value) {
                if ((value != null) && (value instanceof Number)) {
                    value = formatter.format(value);
                super.setValue(value);
        public static void main(String[] args) {
            DecoratedTablePrepareRenderer frame = new DecoratedTablePrepareRenderer();
            frame.setDefaultCloseOperation(EXIT_ON_CLOSE);
            frame.pack();
            frame.setLocationRelativeTo(null);
            frame.setVisible(true);
        class ColorTableCellRenderer implements TableCellRenderer{
            protected TableCellRenderer delegate;
            protected ColorProvider provider;
            public ColorTableCellRenderer(TableCellRenderer delegate, ColorProvider provider) {
                this.delegate = delegate;
                this.provider = provider;
            public Component getTableCellRendererComponent(JTable table, Object value, boolean isSelected, boolean hasFocus, int row, int column) {
                Component c = delegate.getTableCellRendererComponent(table, value,isSelected,hasFocus,row, column);
                  c.setBackground(provider.getBackgroundColor(row, column));
                return c;
          class EtchedBorderTableCellRenderer implements TableCellRenderer{
            protected TableCellRenderer delegate;
            public EtchedBorderTableCellRenderer(TableCellRenderer delegate) {
                this.delegate = delegate;
            public Component getTableCellRendererComponent(JTable table, Object value, boolean isSelected, boolean hasFocus, int row, int column) {
                JComponent c = (JComponent)delegate.getTableCellRendererComponent(table, value,isSelected,hasFocus,row, column);
                  JPanel panel = new JPanel(new GridLayout(0,1));
                  panel.add(c);
                  panel.setBorder(BorderFactory.createEtchedBorder());
                return panel;
        class TransactionColorProvider implements ColorProvider {
            private int keyIndex = 0;
            private Color sellColor = Color.yellow;
            private Color buyColor = Color.green;
            public TransactionColorProvider() {
                keyIndex = model.findColumn("Type");
            public Color getBackgroundColor(int row, int column) {
                 if( model.getValueAt(row,keyIndex).equals("Sell")){
                     return sellColor;
                else {
                     return buyColor;
            public Color getForegroundColor(int row, int column) {
                return Color.black;
    }Boolean values are problematical since JCheckBox does seem to like borders, using a panel as I did in the Etched renderer seems to work. This solution need a little more work, this is submitted as a prototype
    Cheers
    DB

  • The site m.svenskaspel.se is rendered incorrectly. Menus auto-close and text renders behind pictures.

    The swedish betting site m.svenskaspel.se is rendered incorrectly. When logged in, in 99% of the time Menus automatically close so fast it's impossible to use them. Tapping the screen lika a maniac will eventually make the menu stay as it's supposed to.
    When I view my old bets, the text for odds, my bet and the sum I won/would have won is rendered "behind" pictures of the matches results.
    It's been this way since I first got my android phone/firefox for android during the autumn. The website has been working perfectly all the time in the Dolphin browser. I'm using a Samsung Galaxy S2 GT-I9100, android 4.0.4, latest firefox for android (19.0?)
    Unfortunately this can't be recreated without having an account and logging in.

    Most likely this is due to the site coding for [http://en.wikipedia.org/wiki/Webkit Webkit] engine that is used in the iOS and Android stock browsers.
    We are trying to get sites to adapt to standards based development.
    * http://lawrencemandel.com/2012/11/05/call-for-help-broken-site-deep-dive-investigation/
    * https://lists.mozilla.org/listinfo/compatibility

  • Firefox 4.0b1 and b2 rendering incorrect weight of some fonts

    Firefox 4.0b1 and b2 rendering incorrect weight of some fonts
    The first thing I had noticed when I upgraded from FF 3.6 to 4 beta 1 was that Firefox was incorrectly rendering fonts as bold. After some digging I found out that it was the font-family:"helvetica neue" line in the css file that was causing the ugly bolded font (black weight, actually). After editing the css to "Helvetica 55 Roman", the font displays okay.
    Example site: https://addons.mozilla.org/en-US/firefox/?browse=featured
    The thing happens in the very mozilla addons site.
    Also have noticed that the same bug occurs on different fonts, where the font name in css is specified in alternative namings, as in "나눔 고딕" for NanumGothic (korean font).
    The bug didn't seem to have fixed in beta 2, nor could I find any other thread/document on the web with the same problem. I doubt it's my own problem, since it worked just fine in older versions and I have the very same font files installed since the start.
    Screenshot: http://i25.tinypic.com/zy9co2.jpg
    == This happened ==
    Every time Firefox opened
    == Open certain websites with css font-family:"helvetica neue" in the stylesheets

    I sympathize with you all, and I spotted Kimatg at the Bugzilla forums. My Firefox 3 is all right with Helvetica and Neue Helvetica in PostScript, TrueType and OpenType. However, my Firefox 4 Beta 7 through 9 goes nuts.
    Compared to the situations above, all I can say is: at least you are getting your pages in the right font family or even in the right typeface. Attached are some pages in Helvetica that my Betas are showing. They don’t even come close to ''a typeface'', let alone Helvetica.
    It’s not just Helvetica. Our in-house Arial substitute, Lucire, is also displaying oddly on some pages unless the font is embedded.
    Cor-el, I know you are one of the most helpful folks here, and I thank you for your continued generosity. I have to make one correction to your statement: PostScript on Windows generally does not have a bitmap component, unlike on a Mac where it had suitcases. So all these fonts are vector-based.
    It shouldn’t make a difference to Firefox’s rasterizer anyway, but, for some reason, on 4 Beta, it does.

  • IE table rendering issues. Any ideas how to eliminate extra cell spacing rendered by IE

    I have a problem with IE 9 rendering a table. This particular page has a larger table rendered for an application.
        1. I have disabled all CSS on the site (its strictly in the table render on the site)
        2. Removed as much spacing as possible in the RAZOR view of the application to try to eliminate whitespace issue in code  
        3. Ensured that there are no extra characters in the text (from the DB) so stripping out anything that is non alphanumeric.
    When IE renders this site note that there is not any extra table elemnents missing there are closing tags on all elements and no syntatical issues.
    I have seen other sites with this issue in IE 9 on Windows 7.
    A table is not ideal here but that is how it was written.
    (Since I don't see an e-mail or anything to verify my account here is a "non-link" to my screenshot of an example)
    i.imgur.com/av8FCZL.png
    Does anyone know how to solve this issue in IE? Also is a side by side of other browser results.

    Thanks Rob for the reply,
    The page passes validation. The CSS was only disabled on the site to determine if it was causing my spacing issue on the table. Initally the CSS was the suspect, but it was eliminated by only showing the raw table element with the same behavior in the browser.
    I will need to convert the table to CSS style or another format (probably a JQuery UI Data Table would be more appropriate in my case)... In any event  I inherited this site so I have not had the time to change the tables out yet. (That was the first
    thing out of my mouth when I reviewed the application was proposing not to use the HTML tables tag for that data). 
    Interestingly enough I can kid of remedy the behavior in IE if I remove line spaces from my Razor view so maybe IE is interpreting the spacing rendered by the Razor view on the table strangely from the code output? I did find a post with another person having
    a similar problem rendering large tables in razor view and they solved the issue by removing line spacing inside of the chtml file.  
    In any case this solves it for the time being... not an ideal solution but a workable one until the table view can be converted to a better format for such a large table. 

  • Fonts rendering incorrectly since update to Firefox 13.0.1

    Since I updated to Firefox 13.0.1, any website using the Helvetica Neue font is rendering an outline font instead. I do have this font installed on my computer, and cannot uninstall it as I am a graphic designer and I use it all the time. Any change we can get a fix on this?
    I just pasted one example, but even this page is doing it: https://support.mozilla.org/en-US/questions/new/desktop/d1/form?search=Fonts+rendering+incorrectly+since+update+to+Firefox+13.0.1. I also know Pinterest does it.

    There may be a problem with the Helvetica Neue font if Firefox is using another font instead.
    You can do a font test to see if you can identify corrupted font(s).
    *http://browserspy.dk/fonts-flash.php?detail=1
    You can use this extension to see which fonts are used for selected text.
    *fontinfo: https://addons.mozilla.org/firefox/addon/fontinfo/

  • AEE Rendering incorrectly

    Hey everyone.
    Two problems here.
    For some reason, my After Effects is not rendering exactly what is previewed on the composition.
    Here are pictures to explain what I'm talking about.
    This is what you see when you render it out and play it through Windows Media Player:
    Here's what it's suppose to look like on my composition. (Or at least what I previewed)
    My whole project is pretty big. I'm doing a credits roll and its about 45 seconds long & (2200 x 1357).
    Also another problem that I ran into was the "unable to allocate space for 2200 x 1357 image buffer" & "you may be experiencing fragmentation" etc.
    I was able to render the first 11 seconds of the clip before it messed up; that's how I saw that it rendered incorrectly. I could also see that it was rendering incorrectly when I was watching the preview composition going frame by frame as it as it was rendering and noticing that it was very off. I believe I have found a few solutions for the "unable to allocate space" etc but I haven't bothered trying since my composition isn't even rendering correctly.
    Two problems here.
    Thanks in advance.
    -Chris

    Thanks for the quick reply
    I'm not sure. The comp size sort of set itself when I dragged in a few files to create the room. It looked correct so I stuck with it.
    I have 4gb ram, 3.5 usable. But "Total After Effects memory usage" is 1.2 gb. "RAM to leave for other applications" 0.25 gb
    Multiproccessing is OFF
    I enabled Disk Cache with a max size of 2000 MB.
    Onto render settings...
    Quality - Best
    Resolution - Full
    Size is set at 2200x1357
    Disk Cache - Read Only
    OpenGL renderer is unchecked
    No proxies used,
    Effects - current settings
    Solo switches - current settings
    Guide layers - ALL OFF
    Color Depth - 16 bits per channel
    Frame blending - On for checked layers
    Field Render - Lower field first
    3:2 pulldown WSSWW   comp's frame rate 23.976 but using framerate 29.970
    Motion Blur - On for checked layers only
    Time Span - Work Area Only
    Use storage overflow is checked.
    Output Module Settings:
    Format - Video for Windows
    Post Render Action - None
    Include project link & Include Source XMP Metadata is both checked
    Channels: RGB
    Depth: Millions of Colors
    Color: Premutiplied (matted)
    No format options / compression.
    Thanks again for the quick reply.

  • Fact table showing incorrect quantity measure

    Hi,
    I have a scenario where i have a fact table with multiple rows and two quantity fields.  My source system holds sales by "package" which can contain any number of components.  The grain of my invoice table is component level.  See
    structure below:
    PACKAGE1
    - Component1 - each package contains 2 of these
    - Component2 - each package contains 1 of these
    So if i am reporting a sale of PACKAGE1, for a quantity of 2 - component1 had a total sales quantity of 4 and component2 has a total sales quantity of 2.  However the package was only sold 2 of, but because of the sum aggregation, i see a total quantity
    sold for PACKAGE1  of 6, but it should only show 2 at that level.  I have looked at semi-additive measures but am unsure of how this would work in this scenario, or which option would work best for me here.
    My fact table has 2 rows, each of which reference the component as one dimension and the package as another dimension.
    As a workaround, I have created a calculation to divide the quantity by the number of package components (so it would show a 1 for each of the component lines in my fact table), but then the sales quantities of the components reported are incorrect.
    What is the best approach for this?  
    Thanks in advance,
    Dom

    Hi Dominic, 
    Thank you for your question.  
    I am trying to involve someone more familiar with this topic for a further look at this issue. Sometime delay might be expected from the job transferring. Your patience is greatly appreciated.  
    Thank you for your understanding and support. 
    Thanks,
    Simon Hou
    TechNet Community Support

  • Smart Objects rendered incorrectly in CS6

    Here is a logo, pasted as a smart object from Illustrator into Photoshop CS5.1 :
    Here is the same logo pasted as a smart object from Illustrator to Photoshop CS6:
    Note the gaps in the orange gradient at the top of the graphic, and the transparent areas in the border of the shield. This discrepancy appears (to me) to be a result of using a "sharper" antialiasing mode in CS6 which is leaving 1 pixel wide gaps between objects that are actually completely aligned to the same points in Illustrator. Scaling the object will result in the gaps showing up in different areas of the graphic. This is incorrect behavior on the part of Photoshop CS6. Will there be a fix forthcoming? I'll have to keep working in Photoshop CS5.1 for the time being until issues like this are resolved.

    I think the discussion got sidetracked here on talking about anti-aliasing of "raster" smart objects. THIS IS NOT WHAT THIS COMPLAINT IS ABOUT.
    The original complaint, which still stands, is that vector artwork is now rendering with 1 pixel wide gaps between elements that are, in Illustrator, exactly aligned. If you go back and look at my original two examples, the logo in the second screen shot has gaps in the orange banner in the logo, and is missing elements in the border around the shield. These are gaps or holes in the logo caused by a change in the way vector objects are rendered in Photoshop CS6. This can NOT be corrected by changing the antialiasing style - there is no choice of rendering method used. You get the new one, that is broken.
    In this particular example, I opened up an old CS5.5 Photoshop file in CS6, and edited it. During that process I resized the logo a little bit, and didn't notice the gaps and lines that now appeared in the logo. I ended up sending out artwork that was affected by this bug. Luckily I did finally notice and in the nick of time was able to fix it by using the .PNG export work-around.
    I was going to post a very simple example where I had a grid of filled boxes in Illustrator that were exactly adjacent to each other, which should result in a single larger solid box in Photoshop, but instead results in 1 pixel wide gaps between the elements. You can do this experiment for yourself. The reason I have not posted such an example is that, to my dismay, this example also now exhibits the same thin gaps in Adobe Illustrator CS6. So the rendering of vector images is broken there, as well.
    Dragging and dropping elements out of InDesign into Photoshop is also a workflow that I have developed when creating web pages from previously produced print designs. This bug also affects this workflow. Every seperate vector shape in a logo or other compound artwork is now being rendered in such a way that small gaps might appear between elements that should be touching. I imagine that they are being pixel aligned or otherwise sharply antiased so that two shapes that are touching in the vector artwork are now being drawn not-touching. In the original example, if I resize the logo to a different size, the places the gaps happen change - some places that are gapped now touch, others that didn't have gaps now do.
    THIS IS A BUG which will affect legacy artwork, and will affect workflows. This has degraded the usability of the Creative Suite as a whole, and should be corrected as soon as possible.

  • Open Sans (Typekit font) rendering incorrectly in browsers causing unwanted paragraph reflowing

    We use Open Sans throughout our website. I have it set up in Muse how I want it, but when exporting to FTP I'm getting a lot  of text reflowing. Muse seems to be increasing word spacing on export, enough that even over a short 5 line paragraph of around 50 words reflows by 3 or 4 words onto the next line, which is messing up my spacing. The font itself also looks a lot thinner in Google Chrome than the same page in Internet Explorer, almost enough to look like the Thin variant. Can someone from Adobe please look into this? Because what I'm seeing in Muse is definitely not what I'm getting in the browser.
    Muse:
    Chrome:
    Internet Explorer:
    EDIT* Actually now I've put those images above each other it looks like Muse is also changing the column width on export.

    eliz926 wrote:
    please believe me that i've searched without success in finding a resolution for this problem.
    for Right-Aligned Spry Horizontal Menu bar, IE8 incorrectly renders it on the left after prompting for running scripts or ActiveX controls.
    here's the css file:  THE ONLY THING CHANGED WAS THE FLOAT DIRECTION in ul.MenuBarHorizontal li (left to right)
    ....  so what am i missing in getting a horizontal spry menu on the right side of page?
    When you right float the container (LI) for each menu item, some browsers will do exactly that, float the first menu item to the right, place the second menu item left to that and so forth. Other browsers (IE) will not react to a right float of the container (LI).
    The only way to right float the complete menubar is to use the complete container (UL). As with any float, the width has to be specified.
    Hence in your case,
    change ul.MenuBarHorizontal li back to left float
    add a width (32em) and a right float to ul.MenuBarHorizontal
    Gramps

  • SSRS 2012 Initial Rendering Incorrect

    I'm running into an issue in the Report Manager where reports do not render correctly initially.
    If a report requires user input (a parameter that does not have a default value), the report loads incorrectly--all images are missing (including charts) and document maps do not exist. Once a report is rendered this first time, if I click the Refresh Button
    in the Report Viewer toolbar or try to browse to the next page, the report completely re-renders, but this time correctly.
    I'm at a total loss as to why this is happening; any ideas or suggestions would be much appreciated.

    Hi BradleyJamrozik,
    Thank you for your question.
    I am trying to involve someone more familiar with this topic for a further look at this issue. Sometime delay might be expected from the job transferring. Your patience is greatly appreciated.
    Thank you for your understanding and support.
    Best regards,
    Qiuyun Yu
    Qiuyun Yu
    TechNet Community Support

  • HTML bodypart rendered incorrectly when using text/calendar bodypart

    We have a web application in which we are constructing multipart email messages and sending them via an Exchange 2003 server.
    The structure of the email message looks like this:
    multipart/mixed
      multipart/alternative
        bodypart (text/plain)
        bodypart (text/html)
        bodypart (text/calendar)
      bodypart (application/ics, base64 encoding, iCal file attachment)
    The problem is that when we include the text/calendar bodypart, any embedded images in the HTML bodypart are displayed as attachments at the bottom of the email (which appears as a meeting request) in Outlook.  Additionally, the HTML is not rendered entirely correctly.  Hyperlinks appear appropriately as does the font formatting (e.g., bold), but table formatting is ignored and so items are not lined up as they should.
    If we remove the text/calendar bodypart, the HTML displays correctly, including the inline images, but the email does not show up as a meeting request.
    Doing some digging, I saw that HTML with inline attachments should be in a multipart/related section, however, we saw no change from the original problem.
    I'll post this to the Outlook forum as well (link TBD) as I don't know where the problem officially lies.  If anyone knows if this is a bug, or has some insight as to how to get the HTML to display correctly and also have the email show as a meeting invitation, I would appreciate it.  Thanks.
    --adam

    Ah, that would explain why removing the text/calendar body part "fixed" the HTML issues.  I'll let our product planning team know.
    This, however, begs the question, why is MSFT working on the quality of HTML to RTF conversion rather than just displaying the HTML?  I'm not sure I see an added benefit of using RTF over HTML in this case.  I can't imagine that there is there some sort of limitation the rendering engine.  Do you happen to know the answer?
    -adam

Maybe you are looking for

  • Recovery help needed for Equium A300D-13X

    Hi all, After experiencing too many problems to list with my Equium A 300D 13X, both hardware and software, I decided to go ahead with a complete restoration to factory settings. My first step was to create 2 dvd recovery discs, using the Toshiba rec

  • How to connect from my Macbook Pro to Apple TV

    All, How do I get my Macbook to connect to my Apple TV?  Is it even possible?

  • Itunes won't start up on my ipad 2.  I get a spinning wheel.

    I bought an iPad 2 to use in my classroom.  Our IT guy set it up to work with our filters so I can connect the internet, but I can't get iTunes to open.  I just get the spinning gear of death!  Any help would be appreciated.  I have synced it to my c

  • Rendering not correct on first visit to page

    I am attempting to dynamically render components on a page during first visit (using request-scope beans), specifically datatable components (rendering via value-binding), as well optionally addMessage for a h:message component. The datatable renderi

  • Podcasts stop before replay is done

    've got a 5th generation iPod. Recently, several podcasts have hung up with 44 seconds left to play. The iPod behaves as if it has finished playing back the recording, returning to the menu or cycling to the next podcast, depending on what it is bein