IE ignoring newlines and spaces

Hi All,
I wrote a servlet to upload a file. While viewing the attachment in the IE browser, it's ignoring the newlines in the file. The same attachment when viewed in Firefox and Opera browsers, it's rendering the file contents properly. From this I conclude that this is not the problem with the code. I feel IE is ignoring the newlines present in the attached file. Could you please suggest me a way to get rid of this problem? Is there any way to instruct IE not to ignore newlines? The code responsible for printing the output is,
response.setContentType(attachment.getAttachMimeType());
response.setContentLength(attachment.getAttachObject().length);
response.setHeader("Content-Disposition" , "attachment; filename=" + attachment.getAttachFileName());
byte[] buff = attachment.getAttachObject();
ServletOutputStream out = response.getOutputStream();      
out.write(buff);
out.close();
This is very urgent. Your help is highly appreciated.
Thanks,
Tarun .

My application has the requirement to upload any type of file and view that attached file. What baffles me here is, though the content-type is "application/octet-stream" IE is not prompting me a dialog box asking me to the choose the application through which I've to open the attached file. I've set the header i.e "Content-Disposition: attachment; filename=" and let's assume that the filename is "boot.properties", so IE should prompt me a dialog box, instead it's trying to display the file contents in the browser. When I attach a word document, IE is trying to display the file contents in the browser, but it's reading the MIME type as "application/msword". For files whose MIME type is "application/msword", IE should open them in MS-Word. Why my IE is behaving strange? It's trying to display the contents of the file in the browser irrespective of the MIME type. How can I get rid of this problem?

Similar Messages

  • How can i limit the user to enter only A to Z and space in JFormattedText

    dear
    i want to use JFormatedTextField in two manners
    1.Limit the no of charecters.means in a text field only 20 charecters r allowed.
    2.and also check the enterd charecter must be a to z and space not other chareters r allowed.
    3.same for numbers means 0 to 9 and decimal.
    how can i do by using the JFormated TextFilef.

    Probably lacks in some cases but what the hell.
    * Filename:           JSMaskedTextField.java
    * Creation date:      22-mei-2004
    * Author:                Kevin Pors
    package jsupport.swingext;
    import java.awt.event.KeyEvent;
    import java.util.Arrays;
    import javax.swing.JTextField;
    * A masked textfield is a textfield which allows only a specific mask of
    * characters to be typed. If characters typed do not occur in the mask
    * provided, the typed character will not be 'written' at all. The default mask
    * for this <code>JSMaskedTextField</code> is <code>MASK_ALPHA_NUMERIC</code>
    * @author Kevin Pors
    * @version 1.32
    public class JSMaskedTextField extends JTextField {
        /** Masking for alphabetical lowercase characters only. */
        public static final String MASK_ALPHA_LCASE = "abcdefghijklmnopqrstuvwxyz ";
        /** Masking for alpha-numeric characters (lcase/ucase) only. */
        public static final String MASK_ALPHA_NUMERIC = "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ ";
        /** Masking for alphabetical uppercase characters only. */
        public static final String MASK_ALPHA_UCASE = "ABCDEFGHIJKLMNOPQRSTUVWXYZ ";
        /** Masking for numbers only. */
        public static final String MASK_NUMERIC = "0123456789";
        /** Masking for hexadecimals. */
        public static final String MASK_HEXADECIMAL = "0123456789ABCDEF";
         * An array of keyevent constants defining which keys are always to be
         * allowed, no matter what.
        private final int[] ALWAYS_ALLOWED = new int[] { KeyEvent.VK_BACK_SPACE,
                KeyEvent.VK_DELETE, KeyEvent.VK_UP, KeyEvent.VK_DOWN,
                KeyEvent.VK_LEFT, KeyEvent.VK_RIGHT, KeyEvent.VK_SHIFT,
                KeyEvent.VK_HOME, KeyEvent.VK_END};
        /** Boolean specifying whether casing should be ignored. */
        private boolean ignoringCase = true;
        /** Specifying whether the maskin is enabled */
        private boolean isMaskingEnabled = true;
        /** The mask for the textfield. */
        private String mask = MASK_ALPHA_NUMERIC;
         * Creates a default number field.
        public JSMaskedTextField() {
            super(null, null, 0);
            Arrays.sort(ALWAYS_ALLOWED);
         * Creates a number field, with a specified number of columns.
         * @param columns The columnnumber.
        public JSMaskedTextField(int columns) {
            super(null, null, columns);
            Arrays.sort(ALWAYS_ALLOWED);
         * Creates a JSMaskedTextField with a masking.
         * @param mask The masking to be used.
        public JSMaskedTextField(String mask) {
            super(null, null, 0);
            Arrays.sort(ALWAYS_ALLOWED);
            setMask(mask);
         * Gets the masking for this masked textfield.
         * @return Returns the mask.
        public String getMask() {
            return this.mask;
         * Gets whether this JSMaskedTextField should be ignoring casing.
         * @return Returns if the component should be ignoring casing.
        public boolean isIgnoringCase() {
            return this.ignoringCase;
         * Checks whether masking is enabled. Default should be true.
         * @return Returns true if masking is enabled, false if not.
        public boolean isMaskingEnabled() {
            return this.isMaskingEnabled;
         * Sets whether it should be ignoring casing when checking for alpha-chars.
         * @param ignoringCase The ignoringCase to set.
        public void setIgnoringCase(boolean ignoringCase) {
            this.ignoringCase = ignoringCase;
         * Sets the masking for this textfield. The masking will determine which
         * characters can be typed. If the characters in de <code>mask</code> do
         * not occur in the typed character, it won't be typed.
         * @param mask The mask to set.
        public void setMask(String mask) {
            this.mask = mask;
         * Sets the masking enabled. If <code>false</code> this component will
         * behave just like a normal textfield.
         * @param isMaskingEnabled true if masking should be enabled.
        public void setMaskingEnabled(boolean isMaskingEnabled) {
            this.isMaskingEnabled = isMaskingEnabled;
         * Sets text of this textfield. If the blah blah.
         * @see javax.swing.text.JTextComponent#setText(java.lang.String)
        public void setText(String text) {
            for (int i = 0; i < text.length(); i++) {
                if (getMask().indexOf(text.charAt(i)) < 0) { // does not occur
                    return;
            super.setText(text);
         * @see javax.swing.JComponent#processKeyEvent(java.awt.event.KeyEvent)
        protected void processKeyEvent(KeyEvent e) {
            if (!isMaskingEnabled()) {
                return;
            char typed = e.getKeyChar();
            int code = e.getKeyCode();
            for (int i = 0; i < ALWAYS_ALLOWED.length; i++) {
                if (ALWAYS_ALLOWED[i] == code) {
                    super.processKeyEvent(e);
                    return;
            if (typed == KeyEvent.VK_BACK_SPACE) {
                super.processKeyEvent(e);
            if (isIgnoringCase()) {
                String tString = new String(typed + "");
                String ucase = tString.toUpperCase();
                String lcase = tString.toLowerCase();
                if (getMask().indexOf(ucase) < 0 || getMask().indexOf(lcase) < 0) {
                    e.consume();
                } else {
                    super.processKeyEvent(e);
                    return;
            } else { // not ignoring casing
                if (getMask().indexOf(typed) < 0) {
                    e.consume();
                } else {
                    super.processKeyEvent(e);
    }

  • How to retain carriage return and spaces in a report..

    Hi everyone,
    I have a TEXT AREA where users enter comments in that like
    First record
    Hi           Carriage returns          spaces
    Second  record
    Hi
    carriage returns
    spaces
    Third record
    Hi
         carriage returns
                                 spaces
    Is it possible to retain the carriage returns and spaces when i am displaying the records in a report.
    For carriage returns i replaced  chr(10) with '
    (without the single quotes). I works fine. But how i can i retain the spacesplease give me some suggestions
    Thanks
    phani

    Hi dimitri,
    Thanks for the reply
    For carriage returns i am doing like this replace(column_name,chr(10),'<"br">') (Ignore the double quotes)
    For spaces is there any ASCII code like chr(10) for carriage returns..
    I mean how to identify Number of spaces in database..
    Thanks
    phani
    Message was edited by:
    phani marella

  • Newlines and CRLF

    I'm trying to replace newlines (and other characters) in a string of text (which is actually a SQL statement, stored in the table as varchar2), but what I'm seeing is that when this is performed in pl/sql, newlines are already replaced by something else. Namely (as it appears to me), a hyphen. Double new-lines will show up as double-hyphens and so on. But I can't perform a translate or replace on this 'special' character -- it just fails.
    To clarify, I can call a SELECT on this data in, say, SQLPlus, and it shows the carriage returns. However, when using (for example) a FOR CURSOR, and calling a debug statement which prints out the same data, each newline is replaced with a hyphen.
    I've ruled out that it is merely my print statement (this prints to a log file), because other functions I use later depend on expecting, for example, ' FROM ' (note the spaces), but it comes across as '--FROM' or 'FROM--', and fails the INSTR.
    Hope this is clear enough.

    In a similar (perhaps irrelevant?) vein, a standard for the charset encoding should be defined at the project level; usually, it's UTF-8. As today, it seems that ISO-8859-1 is (the facto?) used in
    ./org.eclipse.graphiti/src/org/eclipse/graphiti/services/IPeCreateService.java
    ./org.eclipse.graphiti.ui/src/org/eclipse/graphiti/ui/internal/util/draw2d/TransparentGhostFigure.java
    (search for 'zier' , at Bézier curve). It's only in comments, but, again, this kind of thing can make trouble for GIT comparisons.

  • Why should i add a dot and space to execute this oracle provided script?

    When multiple oracle databases are installed in one machine, we need to set the environment variables like ORACLE_HOME, ORACLE_SID before logging into the respective database. For this, oracle provides as script called oraenv.
    If we try to execute oraenv like
    oraenv   #without a dot and space before the filenamethe file seem to get executed but none of the env variables actually get set.
    To execute this script correctly we have to put a dot and a space before the filename like
    . oraenvWhat is difference between these two way of executing scipts?
    The orenv code
    # $Header: oraenv.sh.pp 19-jul-2001.14:02:07 jboyce Exp $ oraenv.sh.pp Copyr (c) 1991 Oracle
    # usage: . oraenv
    # This routine is used to condition a user's environment for access to
    # an ORACLE database. It will prompt for the value of the new SID unless
    # the variable ORAENV_ASK is set to NO, in which case it will use the
    # current value of ORACLE_SID.
    # The character "*" denotes a null SID.
    # NOTE:          Due to constraints of the shell in regard to environment
    # -----          variables, the command MUST be prefaced with ".". If it
    #          is not, then no permanent change in the user's environment
    #          can take place.
    case ${ORACLE_TRACE:-""} in
        T)  set -x ;;
    esac
    # Determine how to suppress newline with echo command.
    N=
    C=
    if echo "\c" | grep c >/dev/null 2>&1; then
        N='-n'
    else
        C='\c'
    fi
    # Set minimum environment variables
    # ensure that OLDHOME is non-null
    if [ ${ORACLE_HOME:-0} = 0 ]; then
        OLDHOME=$PATH
    else
        OLDHOME=$ORACLE_HOME
    fi
    case ${ORAENV_ASK:-""} in                       #ORAENV_ASK suppresses prompt when set
        NO)     NEWSID="$ORACLE_SID" ;;
        *)     case "$ORACLE_SID" in
             "")     ORASID=$LOGNAME ;;
             *)     ORASID=$ORACLE_SID ;;
         esac
         echo $N "ORACLE_SID = [$ORASID] ? $C"
         read NEWSID
         case "$NEWSID" in
             "")          ORACLE_SID="$ORASID" ;;
             *)             ORACLE_SID="$NEWSID" ;;          
         esac ;;
    esac
    export ORACLE_SID
    ORAHOME=`dbhome "$ORACLE_SID"`
    case $? in
        0)     ORACLE_HOME=$ORAHOME ;;
        *)     echo $N "ORACLE_HOME = [$ORAHOME] ? $C"
         read NEWHOME
         case "$NEWHOME" in
             "")     ORACLE_HOME=$ORAHOME ;;
             *)     ORACLE_HOME=$NEWHOME ;;
         esac ;;
    esac
    export ORACLE_HOME
    # Put new ORACLE_HOME in path and remove old one
    case "$OLDHOME" in
        "")     OLDHOME=$PATH ;;     #This makes it so that null OLDHOME can't match
    esac                    #anything in next case statement
    case "$PATH" in
        *$OLDHOME/bin*)     PATH=`echo $PATH | \
                       sed "s;$OLDHOME/bin;$ORACLE_HOME/bin;g"` ;;
        *$ORACLE_HOME/bin*)     ;;
        *:)               PATH=${PATH}$ORACLE_HOME/bin: ;;
        "")               PATH=$ORACLE_HOME/bin ;;
        *)               PATH=$PATH:$ORACLE_HOME/bin ;;
    esac
    export PATH
    # Install any "custom" code here
    # Locate "osh" and exec it if found
    ULIMIT=`LANG=C ulimit 2>/dev/null`
    if [ $? = 0 -a "$ULIMIT" != "unlimited" ] ; then
      if [ "$ULIMIT" -lt 2113674 ] ; then
        if [ -f $ORACLE_HOME/bin/osh ] ; then
         exec $ORACLE_HOME/bin/osh
        else
         for D in `echo $PATH | tr : " "`
         do
             if [ -f $D/osh ] ; then
              exec $D/osh
             fi
         done
        fi
      fi
    fi

    The dot is used to "source" a file. It is commonly used to change your environment variables without forcing you to log out and back in again for the changes to take effect. Check out "source command for Solaris 10" or something similiar for more info.

  • WHen I choose an album, upload a file(s), just as the file(s) is uploaded the file I have chosen disappears and I am asked to choose album again. If I ignore this and drag a file onto the sceneline, I get the "where is the file " message" and when click o

    WHen I choose an album, upload a file(s), just as the file(s) is uploaded the file I have chosen disappears and I am asked to choose album again. If I ignore this and drag a file onto the sceneline, I get the "where is the file " message" and when click on the file it is looking for I get the message "This type of file is not supported, or the required codec is not installed". I have made many little films before but always have this problem now. Any suggestions?

    Margaret
    Although we are continents apart - Australia (Perth) vs North America (US), we will not let time zones interfere with getting your Premiere Elements 8.0/8.0.1 working.
    1. The usual Premiere Elements 8 drill.
    a. Are the automatic features of Background Rendering and AutoAnalzyer turned Off?
    For Background Rendering, see Premiere Elements workspace Edit Menu/Preferences/General. For AutoAnalzyer, see Elements Organizer workspace Edit Menu/Preferences/AutoAnalyzer Options.
    b. Are you running the program from the 8.0.1 Update? If not, see Help Menu/Update?
    c. Do you have the latest version of QuickTime installed on your computer with Premiere Elements 8.0/8.0.1?
    Apple - QuickTime - Download
    2. The usual computer drill....for your Windows XP 32 bit (SP3, I presume)
    a. Is computer opitimized, defragmented, etc.
    CCleaner - PC Optimization and Cleaning - Free Download
    b. Are you running your computer from a User Account with Administrative Privileges? That is important for Premiere Elements 8 as well as for its
    required QuickTime. In addition, right click the computer desktop icon for Premiere Elements 8 and select and apply Run As Administrator.
    3. Project Specifics
    For now, import your source media into the project from the computer hard drive using the project's Get Media/Files and Folders. Leave the Elements Organizer and Albums out of the equation for now. We will circle back to it soon after we decide everything else is working as it should be.
    a. You need to set a project preset. And, that project preset should match the properties of your source media. So important to know properties of source media.
    b. When you import your source media into a project you will get a red line over its content if the project preset is not a match - either because you set the wrong one or the program does not have a match for your particular video. That red line means that you are not seeing the best possible preview of what is being played back in the Edit area monitor. To get the best possible preview, you hit the Enter key of the computer main keyboard to get a rendered Timeline (red line goes from red to green after this type of rendering). That green line over your rendered Timeline indicates that you are now getting the best possible preview. This is solely a preview thing. Longer story, but I will leave it at that for now.
    c. Check Edit Menu/Preferences/Scratch Disks to assure that those Scratch Disks are being saved to a computer hard drive location with enough free space to accept them. Make sure that you do not have pile ups of previews files, conformed audio files, and conformed video files.
    See Local Disk C\Documents and Settings\Owner\My Documents\Adobe\Premiere Elements\9.0
    Never move, delete, or rename source files after they have been imported into a project which has been saved/closed. Otherwise, nasty media disconnect problems. You have only copies of media in Premiere Elements. The originals are on the hard drive, and the project must trace back to the originals where they were at import.
    Based on the above, try to start a new project. But, let me know ahead of time what you will be importing into the project. I am looking for
    Video
    video compression
    audio compression
    frame size
    frame rate
    interlaced or progressive
    pixel aspect ratio
    If you do not know, we could try to get that type of information from knowing the brand/model/settings for the camera that recorded the video.
    Photos
    Pixel dimensions and how many photos?
    Lots and lots of details, but eventually they all mellow into one workflow that you can customize for your projects.
    Please do not hesitate to ask questions or to ask for clarification. We can go at whatever pace you feel comfortable with.
    ATR

  • NULL and Space value in ABAP

    Hi All,
           I like to know, is it NULL and Space value is same in ABAP, if it is not how to check null value.
    Thank you.
    Senthil

    everything is correct though some answers are not correct.
    A Database NULL value represents a field that has never been stored to database - this saving space, potentially.
    Usually all SAP tables are stored with all fields, empty fields are stored with their initial value.
    But: If a new table append is created and the newly-added fields do not have the 'initial value' marked in table definition, Oracle will just set NULL values for them.
    as mentioned: There is no NULL value to be stored in an ABAP field. The IS NULL comparison is valid only for WHERE clause in SELECT statement. WHERE field = space is different from WHERE field IS NULL. That's why you should check for both specially for appended table fields.
    If a record is selected (fulfilling another WHERE condition) into an internal table or work area, NULL values are convertted to their initial values anyway.
    Hope that sheds some light on the subject!
    regards,
    Clemens

  • NULL and SPACE

    Hello Gurus:
    I have had to use BOTH 'null' and 'space' (ofcourse I tried 'initial' too...) when selecting data from PRPS table, otherwise all the required records were not fetched. I had to do this on two different occassions. The first is a SAP provided field and the other is customer's enhancement. I have cut-paste the two code blocks. Any ideas why?
    Thanks in advance,
    Sard.
    ***********(1)**************
    select posid objnr func_area zzfunct from prps into
                    corresponding fields of table it_wbs
                              where func_area is null or
                                    func_area eq space.
    ************(2)**************
    select prps-pspnr prps-posid prps-post1
       into (wa_test1-pspnr, wa_test1-posid, wa_test1-post1,
       from prps
      where prps-posid in s_wbs and
            ...                 and
           ( prps-zzmlind is null or prps-zzmlind eq space ).
    append wa_test1 to it_test1.
    clear wa_test1.
    endselect.

    Hello Richard,
    the Requirement to check for NULL corresponds to the definition of the database (field) within the DDIC. Check the flag initialize (it has also some documentation).
    This flag is intended to be used if the definition of the db table is changed at SAP while the table already is used at customer side.
    After deploying the corresponding patch or upgrade such a changed definition may result into the need to convert all entries. For tables with many entries this would result into inacceptable downtime. So such changes are done without the initialiazation/conversion of existing entries.
    The tradeoff is the syntax you noticed.
    Kind regards
    Klaus

  • No distinction between NULL and space

    No distinction between NULL and space. When you see the resultset, in PL/SQL developer, you will see that the NULL value is in yellow colour while column data having spaces is in white colour. In the new tool, there is not distinction between the two, so each time we will have to use the NVL function to determine the value in the column, which I would not like to do.

    An option in Preferences could be created, so that it was possible to choose as values NULL would be shown, as already it occurs in other tools.

  • What key(s) do i type to change language from english to other? i am writing s story in dual languages. i was told to click command and space bar together but it is not working.

    what key(s) do it type to change language from english to other? i am writing a story in dual languages. I was told to click command and space bar together but it is not working.

    Command Spacebar opens Spotlight as you have found out. If you want to change languages you need to say what app you are using to write the story in, I'm guessing you are using Pages or MS Word. If that's the case
    Pages: Open Inspector - Click the T tab - Click Language and change your language.
    MS Word: Tools Menu - Language - Choose your language.

  • I am having trouble using reverb of any kind; it does not sound natural, but rather "pixilated." Does anyone have any ideas for a solution? I have used Silververb and Space Designer and am having the same problem...

    I am using Logic Pro 9 with two MXL 990 microphones in my piano and a Rode NT1A for vocals. I have tried recording with added reverb and keeping getting not a natural reverb sound, but a rather "pixilated" one that does not sound natural. Does anyone have any ideas on how to solve this issue? I have tried using Silververb and Space Designer, and both result in the same problems. Thank you!

    This is asking for the impossible! It does not sound natural because maybe it isn't and in judging so whats your reference anyway. If you are in dire need of some natural sounding room you can go and record it yourself. But even then, the chances that it sounds like you imagined it, are very slim.
    There are very decent sounding reverberation plugins, based on artificial reverb generators or convolution-style, the last one is said to sound more 'natural' then the first one. Be it as it maybe, it really is like cooking food. You got all the ingredients for this delicious taste at hand and believe it or not to reach a satisfying result this is not enough, because if you do not mix the ingredients in the right proportion you will end up with a different dish you thought you'll get. This is exactly the same when one would mix audio, I dare say.
    So treat yourself to some good ingredients and the rest is up to you, namely: taste and experience!
    And looking at some of my past music productions I always find the same plugins for the 'ambient' task:
    Altiverb by Audio Ease when I have acoustic ensembles (classical music mostly), the Sony Oxford Reverb in studio productions, Bricasti when I have to deal with drums and MMultiBandReverb from MeldaProduction for all-round stuff. Thats the base I start from, after that I can end up with dozen Reverb plugins which basically all are doing the same thing but just in a tiny different way.

  • Firefox 3.6.11 does not respond on mouse, only Tab key and space bar

    HW: Lenovo R61i.
    OS: MS Win-XP PRO, ver 20002, SP3
    Internet Explorer is diabled in:
    Contol Panal|add/remove programs|add/remove windows components
    All other programs responds om USB mouse or the little joy-stick between G, H and B-keys.
    Removed FF, booted and reinstalled FF 3.6.11.
    Mouse works a couple of cliks - then Tab key and Space bar is the only tool.
    By the way - living in Norway, means No version og FF :)

    Getting very tired of this problem which is becoming much more frequent. I love the FF browser, but lately after I have been on line for a while, the browser stops responding to mouse clicks and I have to use the task manager to shut the program down and then reopen it to get it to work. From what I've been reading in the forums, this is not an uncommon problem. I've done all the recommended fixes and nothing works. Please fix this!!

  • I have always been able to zoom in on my photo by holding the cmd and space bar, that changed and now it creates a box and zooms in on that area and I can't zoom out using cmd   space bar. How do I change it back to the  original way of zooming?

    i have always been able to zoom in on my photo by holding the cmd and space bar, that changed and now it creates a box and zooms in on that area and I can't zoom out using cmd   space bar. How do I change it back to the  original way of zooming?

    Select the Zoom Tool in the tool box and see if Scrubby Zoom is unchecked or greyed out in the tool options bar.
    (you want Scrubby Zoom checked)

  • Gaps and spaces in Adobe 9 professional

    Hi all,
    I'm having a problem with Adobe 9 Professional. If I convert a specific ully justified document finto a .pdf file, and subsequently make some minor changes with the TouchUp text tool. It creates inadvertent gaps and spaces in other parts of the document. All fonts are embedded and this does not happen if the original word document is left-justified only. My colleague using Acrobat Professional 8.1 has tried to duplicate the exact same steps and has no such problems. Any ideas? The original document was made using Word 2003.
    Thanks,
    Paddy

    Hi Paddy,
    How are you converting the document? In general, the Touch-Up text tool is a tool for small touch-ups and becuase of the structure a PDF file, these types of things are not terribly uncommon and can occur as a result of several things (font type, creation method, inclusion of tags, etc.) that are outside of Acrobat's control.
    Often times, going back to the original Word document is the best way to go.
    Tim Plumer
    Sr. Solutions Engineer
    Adobe Systems, Inc.

  • Microsoft Word 2008 and Spaces problem - found a workaround

    Anyone who's tried running MS Word 2008 and Spaces knows that Word is pretty much unusable. The formatting palette moves to a different space, leaving behind the title bar, and the desktops just switch automatically, windows disappear, etc.
    Here's a workaround that actually makes it usable. Disable the Toolbox/formatting palette by clicking the "Toolbox" button at the top of the Word window. The formatting palette will go away. You don't want this, it's the root of all evil. To get access to the options in the formatting palette, right click on a blank space somewhere in one of the toolbars, and select the toolbars you want access to. Then the stuff that was available previously in the palette will be available as a toolbar instead.
    This bug has driven me nuts for months. NUTS. This seems to have fixed it. Just make sure you never enable anything that resembles the formatting palette and all should be fine. I haven't tried opening multiple word docs in different spaces yet, only the same space.

    Hi Sickels,
    Welcome an board to the Apple discussion forum for user to users ...
    First of all I like to tell you that this is the wrong forum to as ...
    Ad the Discussion Front page 'where ALL categories are' there is a section for Windows Compatibility. An when your computer specimens are correct it says OSX 10.4.X This is Leopard OSX 10.5.X
    Now to your question > Open the application Word.
    Now you will see on the right site of the Menu Bar 'FORMATTING PALETTE' next to the icon 'GALARY' click on it and the formatting palette will show up. To hide it click again on it.
    Dimaxum

Maybe you are looking for

  • Dynamic sql and bind variables

    Hi, I have a stored procedure which filters a table on 5 five columns. The filters come from the input parameters, and these 5 parameters can come in any combination, I mean some of them may be null and some of them may not be null. So I constructed

  • Jsp:include not working - Please Help.

    I am trying to do a jsp:include page but I must have the syntax wrong for the declaration of the filename. There shouldn't be a problem with my included file since it only has the word "TEST" in it. Both files are in the same directory. The error I'm

  • Is anyone else super mad about not having a cd port for the new iMac?

    I just bought this new iMac as an upgrade from my old '09 one. I thought this was to have a cd port but it doesn't! I'm super mad because i always used to burn my iMovies onto cds so I could watch them but now I can't. I guess I should've read the bo

  • Problem sending IDoc

    Hi all, I'm trying to sent an IDoc from XI to R/3 via the IDoc Adapter should I create a partner profile (we30) on the XI system like I have done on the R/3 system? I get the following Error: "Unable to convert the sender service to an ALE logical sy

  • New error message--not found elsewhere on the Internet

    For the past week I've been getting this error message when I open iTunes: "The iPod 'Zach's iPod' cannot be updated. An unknown error occurred (-208)." My iPod, however, still appears on my desktop, under devices in iTunes, and iTunes updates it as