Displaying UTF chinese characters

Here's my code
          final StringBuilder sb = new StringBuilder();
          DropWindow dw = new DropWindow() {
               public void runFile(File f, Object[] extras) {
                    try {
                         String str = IOUtils.readFileAsString(f);
                         for (int i = 0; i < str.length(); i++) {
                              System.out.println("char[" + i + " ] = " + (int)str.charAt(i));
                         sb.append(str);
                    catch (IOException iox) {
                         iox.printStackTrace();
          JPanel jp = new JPanel() {
               public void paintComponent(Graphics g) {
                    super.paintComponent(g);
                    g.drawString(sb.toString(), getWidth() / 2, getHeight() / 2);
          dw.add(jp);
          WindowUtilities.visualize(dw);when I run this I get
char[0 ] = 20320
char[1 ] = 22909
char[2 ] = 13
char[3 ] = 10
in the command line. On the screen I get 2 squares where I'm hoping my chinese characters will be.
Is it just that I'm not using an international version of java? I just went to the download page and it seems like all java versions are international now. Could it be that my font can't represent the characters?
How can I paint chinese characters?

I don't understand. 'Arial' will never display Chinese. In JRE1.6, the only font I know that displays Chinese is "AR PL ShanHeiSun Uni". In 1.5 there was a second one but that seems to have been removed.
When I want to find a font for a particular character set I use the following simple Swing application -
import java.awt.BorderLayout;
import java.awt.Font;
import java.awt.GraphicsEnvironment;
import java.awt.GridLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.ArrayList;
import java.util.Iterator;
import javax.swing.BorderFactory;
import javax.swing.JCheckBox;
import javax.swing.JComboBox;
import javax.swing.JComponent;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.ListSelectionModel;
import javax.swing.UIManager;
import javax.swing.event.ListSelectionEvent;
import javax.swing.event.ListSelectionListener;
public class FontAndCharDisplay extends JFrame
    private JComponent createStyleSelector()
        JPanel panel = new JPanel();
        panel.add(boldButton);
        panel.add(italicButton);
        ActionListener styleListener = new ActionListener()
            public void actionPerformed(ActionEvent event)
                updateDisplayOfChars();
        boldButton.addActionListener(styleListener);
        italicButton.addActionListener(styleListener);
        panel.setBorder(BorderFactory.createTitledBorder("Style"));
        return panel;
    private JComponent createSizeSelector()
        int[] sizes =
        {8,9,10,11,12,14,16,18,20,24,28,32, 36, 40, 48, 56, 64, 72, 84,100};
        final JComboBox sizeSelector = new JComboBox();
        for (int index = 0; index < sizes.length; index++)
            sizeSelector.addItem(new Integer(sizes[index]));
        fontSize = 14;
        sizeSelector.setSelectedItem(new Integer(fontSize));
        sizeSelector.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent event)
                fontSize = ((Integer)sizeSelector.getSelectedItem()).intValue();
                updateDisplayOfChars();
        sizeSelector.setBorder(BorderFactory.createTitledBorder("Size"));
        sizeSelector.setOpaque(false);
        return sizeSelector;
    private JComponent createPageSelector()
        String[] pageAddresses = new String[256];
        for (int row = 0; row < 16; row++)
            for (int col = 0; col < 16; col++)
                pageAddresses[row*16+col] = HEX_CHARS[row] + (HEX_CHARS[col] + "00");
        final JComboBox addressSelector = new JComboBox(pageAddresses);
        addressSelector.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent event)
                updateAddressBase(Integer.parseInt((String)addressSelector.getSelectedItem(), 16));
        addressSelector.setBorder(BorderFactory.createTitledBorder("Page"));
        addressSelector.setOpaque(false);
        return addressSelector;
    private FontAndCharDisplay()
        super("Font Display");
        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        JPanel upperPanel = new JPanel(new BorderLayout());
        JPanel controlsPanel = new JPanel(new GridLayout(1,0));
        controlsPanel.add(createPageSelector());
        controlsPanel.add(createSizeSelector());
        controlsPanel.add(createStyleSelector());
        upperPanel.add(controlsPanel, BorderLayout.NORTH);
        fontSelector = new JList(GraphicsEnvironment.getLocalGraphicsEnvironment().getAvailableFontFamilyNames());
        fontSelector.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
        fontSelector.addListSelectionListener(new ListSelectionListener()
            public void valueChanged(ListSelectionEvent e)
                if (!e.getValueIsAdjusting())
                    updateDisplayOfChars();
        JScrollPane fontNameDisplay = new JScrollPane(fontSelector);
        fontNameDisplay.setBorder(BorderFactory.createTitledBorder("Name"));
        upperPanel.add(fontNameDisplay, BorderLayout.CENTER);
        fontSelector.setSelectedIndex(0);
        getContentPane().add(upperPanel, BorderLayout.NORTH);
        // Build the set of components to display the characters
        for (int index = 0; index < 256; index++)
            charDisplayFields.add(new JLabel(""));
        // Build the main character display area
        int startPoint = 0;
        final JPanel charDisplayPanel = new JPanel(new GridLayout(0, 17));
        charDisplayPanel.add(new JLabel(""));
        for (int col = 0; col < 16; col++)
            charDisplayPanel.add(new JLabel(Character.toString(HEX_CHARS[col])));
        for (int row = 0; row < 16; row++)
            charDisplayPanel.add(new JLabel(Character.toString(HEX_CHARS[row])));
            for (int col = 0; col < 16; col++)
                charDisplayPanel.add((JComponent)charDisplayFields.get(startPoint++));
        JScrollPane characterDisplay = new JScrollPane(charDisplayPanel);
        characterDisplay.setBorder(BorderFactory.createTitledBorder("Page Display"));
        getContentPane().add(characterDisplay, BorderLayout.CENTER);
        updateAddressBase(0);
        updateDisplayOfChars();
        pack();
    private void updateAddressBase(int start)
        for (Iterator it = charDisplayFields.iterator(); it.hasNext();)
            JLabel label = (JLabel)it.next();
            label.setText(Character.toString((char)start++));
    private void updateDisplayOfChars()
        // Calculate the style
        int style = 0;
        if (italicButton.isSelected())
            style |= Font.ITALIC;
        if (boldButton.isSelected())
            style |= Font.BOLD;
        // Build the font
        Font font = new Font((String)fontSelector.getSelectedValue(), style, fontSize);
        System.out.println(font);
        // Update all the char labels to use the new font
        for (Iterator it = charDisplayFields.iterator(); it.hasNext();)
            JLabel label = (JLabel)it.next();
            label.setFont(font);
    public static void main(String[] args)
        try
            UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
            new FontAndCharDisplay().setVisible(true);
        catch (Exception e)
            e.printStackTrace();
    private int fontSize = 10;
    private ArrayList charDisplayFields = new ArrayList(256);
    private JCheckBox boldButton = new JCheckBox("Bold");
    private JCheckBox italicButton = new JCheckBox("Italic");
    private JList fontSelector;
    private static final char[] HEX_CHARS =
    {'0','1','2','3','4','5','6','7','8','9','A','B','C','D','E','F'};
}Please don't look too close at the code - it was one of my earliest Swing applications.
P.S. These values
char[2 ] = 13
char[3 ] = 10
are just CR and LF and not Chinese.
Edited by: sabre150 on Aug 29, 2008 9:21 PM

Similar Messages

  • Display of Chinese Characters in Flash Video

    '''Help needed to resolve issue with display of chinese fonts in Firefox.'''
    I used to be able to run an html based chinese language learning program (with embedded Flash) in Firefox on my Galaxy Nexus mobile...that is until I installed the latest version of Firefox.
    These are the instructions that came with the program to install/run it:
    This site is best viewed with Mozilla FireFox 3.x+ (and above) with either Adobe Flash Player 8+ (and above) at a minimum screen resolution of 1024 x 768. We also recommend that you enable both JavaScript and Cookies in your chosen browser's settings. Obviously things have moved on since then and the version of Firefox I installed around May 2013 would have been around 22.0
    While the above appear to be targeted at computer/tablet platforms the program ran successfully on my mobile and the embedded flash video worked well. The video clips and accompanying audio for each lesson were also accompanied by text that updated as each speaker began conversing. This text could be displayed (by selection) in English, Pinyin or Chinese characters.
    With an upgrade to the latest version of Firefox the Chinese characters now no longer display although 'English' fonts do...why? Is this a character encoding issue? Can this be set? What has changed between version 22 or thereabouts that I installed in May 2013 and the current version. Someone must surely know ??? If this cant be fixed, how can I re-install an older version of Firefox on my mobile. As an aside
    I was able to download firefox-22.0.bundle, some bundle.parts and .source files along with Firefox Setup 3.6.28.exe but cant install any of these. HELP needed please.

    Hello,
    Can you please confirm that this is the summary of the issue you are facing
    #On a site using Flash, and using Firefox 22.0, you were able to view English, Pinyin, Chinese characters on the flash video
    #You upgraded Firefox to the latest version from the play store, and also have the latest Flash version, but the same Flash video doesn't display the Chinese characters now
    #You are looking for the older version of Firefox for Android so that you can confirm that this issue has something to do with the latest version of Firefox
    For the last point, you can download the Android APKs of the older versions from the following links
    #[https://ftp.mozilla.org/pub/mozilla.org/mobile/releases/22.0/android/en-US/ Android APK for Firefox 22.0 in English]
    #[https://ftp.mozilla.org/pub/mozilla.org/mobile/releases/22.0/android-armv6/en-US/ Android APK for Firefox 22.0 in English for Arm V6]
    Please do note that you will need to enable the 'Install from unknown sources' option on the Android device to be able to install this APK. Suggest that you disable the setting after you finish your testing.
    Please confirm the details above and we can help you resolve the issue.
    Thank you

  • MS Notepad unable to display the Chinese characters I type and display them as squares

    MS Notepad is unable to display the Chinese characters I type and display them as squares. But when I copy those squares on notepad to Wordpad or MS Word, they display the Chinese characters just fine. I've no idea why those Chinese characters I type can't display properly on notepad. I check the font of the notepad and it's the default. I've another Windows Vista desktop computer which has notepad of the similar setting and display Chinese characters just fine. Both are using Chinese (Simplified) - Microsoft Pinyin New Experience Input Style to input those characters. But I don't understand why my Windows 7 is facing this problem.

    Hi,
    Notepad is a very simple text editor BUT it will work if you use the SAME language in Windows. Please try:
    1. go to control panel, click "Clock, Language, and Region"
    2. click "Change location" under the "Region" section
    3. go to the "administrative" tab, then click "change system locale...", then select "Chinese".
    Regards.
    BH
    **Click the KUDOS thumb up on the left to say 'Thanks'**
    Make it easier for other people to find solutions by marking a Reply 'Accept as Solution' if it solves your problem.

  • Pls help - Displaying Simplified Chinese characters

    Hi all,
    I am using Servlet to generate HTML.
    When I use setContentType="charset=big5" and out.println(" . . . ."); with Big-5 Traditional Chinese characters, everything is fine.
    However, when I use setContentType="charset=gb2312" and out.println(" . . . ."); with GB2312 Simplified Chinese characters, everything is trash with some ??????.
    The internet browser in both cases can correctly set to the appropriate character set, that is, in the 1st case it is big5 and in the 2nd case it is gb2312.
    Pls help

    It should be because the font provided cannot handle the characters. Java only ever sprays question marks or rectangles at you if the font you're using is incapable of displaying what you're trying to show.
    I'd imagine that the system's default font is capable of displaying Big5 Chinese characters quite happily if it's working on the page. The problem will come when you switch the encoding of the page and the characters within it. The same default font obviously can't display GBK stuff. So switching the font (probably through the use of <FONT face=""> tags) might do the trick.
    Hope that helps!
    Martin Hughes

  • Displaying UTF-8 characters

    Hello all - I'm having a bit of trouble with my current project. I'm adding international support to it, I have an XML file with all the translated strings in UTF-8 format. I read it in using the following code:
              InputStream in = new FileInputStream(name);
              InputStreamReader isr = new InputStreamReader(in,"UTF8");
              BufferedReader br = new BufferedReader(isr);
              StringBuffer buf = new StringBuffer();
              String line = new String();
              while ((line = br.readLine()) != null){
                   buf.append(line);
                   buf.append('\n');
              return buf.toString();The string buffer is then sent off to be chopped up and parsed and displayed. However, for all non-latin characters, I get a question mark in a diamond. this code works in a very similar project, so I'm unsure why it is not working now, when almost all the program components are the same.
    Any ideas?
    thanks!
    Jake

    So the only thing that has changed is the operating system on which you are running this system?
    If that's the case then it's possible that you were (accidentally or otherwise) converting between bytes and strings using the default charset on the non-Apple machine, and this happened to work for some reason. And on the Apple machine perhaps the default charset is different, and that applecart (sorry!) got upset.
    And have you checked that you can actually display non-ASCII characters on your GUI setup from a simple program where you just hard-code those characters?

  • System displaying few chinese characters as '??'...

    Hi,
    On search help, few of the chinese charaters are gettin displayed as '??'..
    why is'nt the system identifying these characters??...
    I did check on options->I18N...its activated and my PC local language is 'Chinese'..
    Still iam facing the same problem?!...
    Can anyone help me out??

    Sorry..
    Problem is solved..
    (alt+f12) - charater set - >Traditional chinese..
    that soved the problem!!

  • Why does top browser bar (one with Firefox logo & minimize/restore/close button) periodically display in Chinese characters?

    The top bar on the page - the one that displays the open page URL etc. - always opens in English but periodically changes automatically to Chinese. As far as I can tell, this seems to happen when I have been working with MS Expression Web 3 & publishing to a web site, but this is not for sure.

    In the past this issue has been reported as caused by the "RealPlayer Browser Record Plugin" extension (Tools > Add-ons > Extensions) that shows in your More system details list.<br />
    The version that you have installed may still cause that same issue.
    Do not confuse the "RealPlayer Browser Record Plugin" extension with the RealPlayer plugin (Tools > Add-ons > Plugins) that plays media files.<br />
    The extension adds some extra features like saving media files.
    You can disable/remove the RealPlayer Browser Record Plugin extension in the RealPlayer Preferences (RealPlayer: Tools > Preferences > Download & Recording)
    See also [[Troubleshooting extensions and themes]]

  • X11 won't display UTF-8 characters (using Kbabel)

    Hello everyone
    Boy, the discussion lists have changed! Forums are a good idea, though.
    I'm a volunteer open-source translator, and the most effective translation editor for us is Kbabel. (LocFactoryEditor [1] for OSX is very good, though. I use it continually, and BBEdit [2] for CVS/SVN management of translation files.)
    When I installed Kbabel, everything went OK, but when I tried to open a PO (Portable Object, translation file format, basically a text file) file, the translations in my language (Vietnamese) were just gibberish. None of the accented characters displayed correctly. Since my language is pretty much all accented characters, this was a critical problem. Characters entered had the same problem. No readable data in, no readable data out, no translation possible.
    I had set my X11 prefs to inherit my keyboard choice, and had chosen the right keyboard. I have Lucida Grande set as my default font, and it handles Vietnamese very well.
    This was months ago. I reported it as a bug against Kbabel, but with investigation, we found it was an X11 problem. I was told at the time (sorry, I can't remember the reference) that this was a known X11 bug, which Apple had not yet fixed. Judging by the continuing mess when I try to use Kbabel now, it hasn't been fixed.
    How do we track bugs reported to Apple, or continuing problems of this type? Do you think this is really the problem, or is there another way to solve it?
    Any help very much appreciated.
    from Clytie
    [1] http://www.triplespin.com/en/products/locfactoryeditor.html
    [2] http://www.barebones.com/index.shtml

    I would suggest you repeat your query in the unix forum, where the experts on such stuff are more likely found, and where there have been other threads about using accented chars in terminal, etc.
    http://discussions.apple.com/forum.jspa?forumID=735

  • TextEdit doesn't display UTF-8 characters corrrectly

    I have a plain text file with some German umlauts, encoded in UTF-8. When I select this file in the Finder, the umlauts are displayed correctly in the Preview. However, if I double click on that file to have it loaded into the TextEdit program, the umlauts are displayed incorrectly.
    The screenshot at ftp://ftp.cadsoft.de/pub/etc/mac-osx-utf-8-bug.png shows the Finder's window in the background, and the TextEdit window in the foreground.
    When I explicitly load the file into the TextEdit program, with "Plain Text Encoding" set to "Unicode (UTF-8)" the text is displayed correctly. Only with "Automatic" it doesn't work.
    Am I doing something wrong here, or is this an actual bug in TextEdit?
    Franz
    Mac mini   Mac OS X (10.4.6)  

    Well, the "Notepad" editor on Windows XP does it
    correctly with both UTF-8 and ISO8859-1 umlauts.
    I think Notepad identifies UTF-8 correctly because Windows (unlike other OS's) puts a BOM at the start of UTF-8 files. Normally you only see this at the start of UTF-16 files, which many text editors can identify correctly.
    However, if the Mac user clicks on our German
    README text file and has "Plain text file encoding"
    set to "Automatic" (which apparently is the default),
    he sees broken umlauts.
    Yes I think Automatic means MacRoman. One possible solution is to use either rtf or html for the readme. I think the encoding for these will be recognized correctly. You could also try putting a BOM at the start of your UTF-8 plain text file.
    I was unter the impression that "UTF-8" was the
    plain text format on the Mac
    No, OS X stores data internally as UTF-16. Anything using xml will be UTF-8, and that's now the default encoding in Mail for lots non-Roman scripts, but otherwise the other encodings seem to have pretty equal status.

  • [SOLVED] Urxvt + Inconsolata Displaying UTF-8 Characters Incorrectly

    I use the Inconsolata font with urxvt and have noticed that some characters are displayed improperly. For example, an "en dash" (U+2013) appears as a capital N with a tilde over it. It appears that this is because Inconsolata doesn't support anything other than the basic latin characters. Is there any way to allow urxvt to "fall back" on another font for rendering those specific characters?
    Last edited by aclindsa (2012-03-16 16:42:35)

    Unfortunately, the "-fn" switch (or *font: in .Xresources) does not seem to work properly with Inconsolata. For example, if I do the following:
    urxvt -fn "xft:Terminus"
    The characters display properly, but if I add Inconsolata ahead of that, like so:
    urxvt -fn "xft:Inconsolata,xft:Terminus"
    I get the garbage characters. I have experimented with different "fallback" fonts in all different orders, sizes, etc. and whenever Inconsolata is first, I see the garbage chars. The more I look into it, the more it looks like the wrong characters are being reported to urxvt for Inconsolata.

  • Display chinese characters from oracle 8i database using UTF-8

    I have written a program to retrieve chinese characters from the database and display in the web page.If I change the encoding of the webpage manully it displays the chinese characters(&#27604;&#20998;&#21345;&#29255; ).Or it shows the junk characters(�������� ).Can anybody help so that do I have to do any encoding or any other settings?.I am using Jdeveloper.
    Rgds
    Ganesh
    <HTML><HEAD><TITLE>Welcome to METRO</TITLE>
    <meta http-equiv="content-type" content="text/html; charset=UTF-8">
    <%//@ page contentType="text/html; charset=UTF-8" %>
    <%@ page import="java.io.*,java.io.InputStream,java.nio.*,java.lang.*,java.util.*,javax.naming.Context,java.sql.Connection,javax.sql.DataSource,javax.naming.InitialContext,java.sql.*" %>
    </HEAD>
    <BODY >
    <%
    String value="";
    try{
    Connection dbConn;
    Statement stmt=null;
    Context jndiCtx=new InitialContext();
    javax.sql.DataSource ds = (javax.sql.DataSource)jndiCtx.lookup( "jdbc/webdbPooledDS" );
    dbConn= ds.getConnection();
    stmt=dbConn.createStatement();
    String sql="select prog_name_LL2 from wb_prog_new_metro where table_name='SCORE_CARD'";
    ResultSet rs = stmt.executeQuery(sql);
    if( rs.next()){                    
    value=rs.getString(1);
    out.println(value);
    }catch(Exception e){
    System.out.println("Exception ="+e.getMessage());
    %>
    </BODY></HTML>

    Make sure that you have a Unicode font that supports Chinese characters. I have been testing the support of Unicode text (allows many other character and image based languages to be displayed) and have found that it depends on what fonts are available on the system you're viewing the report on. Unicode is supported in Crystal (since version 9 I believe) but it will display '?' or '[]' if there isn't a font to render the text properly.
    This font supports loads of languages: http://www.code2000.net/code2000_page.htm

  • UTF-8 characters not displaying in IE6

    Dear Sirs,
    I have an issue in displaying UTF-8 characters in Internet explorer 6.
    I set up my all jsp pages encoding as UTF-8.
    Any language characters(like chinese,tamil etc) perfectly dispaying in firebox browser.
    But in internet explorer, the characters are not displaying.it displays like ?! ..
    Could any body help me out?
    Thanks
    mulaimaran

    Thanks Viravan,
    But, I have added this line in my jsp before html tag.
    <%@ page contentType="text/html;charset=UTF-8" pageEncoding="UTF-8" %>
    After html tag,i added this meta tag.
    <META http-equiv="Content-Type" content="text/html;charset=UTF-8">
    So, the UTF-8 encoding is capable to show different language characters in firebox browser.
    But In Internet Explorer 6 other language characters not displaying..
    > jsp sends out the UTF-8 BOM (hex: EF BB BF) before
    the HTML tag.I cant understand this line.I m new one to java.
    So ,please help me out.
    Thanks
    mullaimaran

  • Hi, am trying to display chinese characters

    hi,..i have problem displaying chinese characters using the reporting tools. i even changed the .jsp to use UTF8 encoding but the jsp doesnt display the correct chinese characters. Anyone can help ?

    Hi Teo Kai Liang,
    In order to display UTF-8 characters in the web output of your report, when it is deployed using the JSP engine (instead of rwservlet), you would need to add the following tag to its JSP web source in Reports Builder, between the <HEAD> and </HEAD> tags:
    <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
    This will tell the browser to display text using the specified character set. I have verified this using a report containing some static Simplified Chinese text in its web source.
    Thanks,
    The Oracle Reports Team.

  • Chinese characters does not display in adobe pdf in windows xp machines

    Dear All,
        I am a application developer using Struts2 framework with jasper reports.Clients want to display chinese characters in the report output pdf documents.
    even i could install east asian language (windows xp) support,i did not get the chinese display in the generated pdf file.
       In the jasper report viewer the chinese character could be viewed perfectly.but when we save as pdf document the chinese characters are blank
    in the generated pdf document.
      I did all the procedures specified in forums. but no result.
      I could see that when i open the pdf,only helvatica font was used even i put the chinese characters.How could i embed the chinese character in pdf
    what is the clear procedure to display the chinese characters in pdf documents?
    Thanks and regards,
    PKS Rammesh

    Hi, there is a  pdf tool,(most part of Chinese character supported) you can have a check: http://www.e-iceblue.com/Introduce/pdf-for-net-introduce.html
    Good Luck.

  • Chinese Characters Not Displayed Properly when iCal sync with Palm T5

    Hi All,
    I am having problem with the Chinese Character display on iCal. I am using iMac Intel Core Duo and Palm T5. I can read on my iMac the Chinese Characters which I typed on the iMac. Also I can read on my Palm those Chinese I inputted on my Palm. But both can't display the Chinese Characters inputed by each other. Can anyone help?
    Thanks.

    Hello,
    I assume your flash disk is using FAT16/32...
    You need to specify the character set when mounting it. On the command line...
    # mount /dev/sda1 /mnt/mountpoint -o iocharset=utf8
    To include this option in the default VFAT mount options under GNOME, launch gconf-editor, look for the key: /system/storage/default_options/vfat and add iocharset=utf8 to the list of mount options.

Maybe you are looking for

  • Post goods issue

    hi if a order is created for a material 'X' for quantity=50.while delivering the order in VL01N if the delivering and picking qty is given 40 and a post goods issue is done after that in VL02N if we change the delivering and picking qty to 50 and do

  • Problems working with linked files in illustrator

    Hi everyone, i hope you can help me with this doubt that had given me problems since I started using illustrator. I'm using linked files in illustrator because i'm able to modify the files later, as I do in InDesign too, but in both cases I had have

  • Set-up Wizard - some of the image cannot load

    I have created a window application in C# with a lot of hardcode images.  Next, i created a set up wizard. (So the exe can contain all the files needed Eg, Application files) However, when view, some of the image cannpt be load. Is it because there a

  • Crash when open

    When I open Compressor 4 it just freezes and than crash and a pop-up turns up and ask me if I want to report the crash to apple. Even in FCPX I can't share with compressor settings. A pop-up says "The operation couldn't be completed. (com.apple.Compr

  • CS3 Won't save Droplet on FAT32 formatted drive. (leopard) [solved]

    PS CS3 doesn't want to save a droplet on my mac (Leopard). I'm getting a message when I hit "save droplet" as follows: "Could not create the droplet file [path/filename] because this volume format is not supported." It turns out the answer was that t