Korean Fonts from inside JBuilder fine, outside not?

Hi guys, thanks for taking a look at my problem.
I have an applet that builds and runs successfully within JBuilder. I can choose
either Korean or English and, via a C++ server, load the correct resource
strings from a given unicode text file and display them correctly.
( I've previously loaded the korean win2000 language pack, and renamed my font.properties.ko file to font.properties. )
I then create a .jar archive & accompanying html page and place them on a webserver.
When I then access the applet using IE I only see square boxes where my wonderful Korean used to be!?
I've tried manually setting the encoding to be Korean within IE, alas to no avail. Anyone got any ideas? I had hoped that providing a user had installed the correct language pack, the applet would be able to display things correctly..
Any tips would be greatly appreciated.
Thanks in Advance,
Grant Appleyard

Dear i found a different thing.
i used IBM Java and Urdu fonts for develope the urdu software.
using sun Java i too had same problem.
i am just telling u, u may try it.

Similar Messages

  • Keep Korean font from breaking up in game

    I have tried EVERYTHING, and I just can't figure out how to keep the Korean font from breaking up when I'm playing a Korean game. I tried to change the encoding over and over again, resetted safari, and even looked for a korean language pack but nothing works. I can read Korean fine on websites but the font breaks up into jibberish when I start playing the game. Is there a solution to this? It's driving me crazy. I'm using a Macbook Air 2011 with mountain lion.
    Thanks.

    You cant delete an Apple ID permanently, you can just stop using it. Your GameCenter is linked to the Apple ID that your phone uses to download stuff. So whatever ID is linked to your phone when you download things from th AppStore and iTunes is also the account that is linked to your GameCenter. if you keep switching accounts thats why the random accounts keep popping up, just stick to one and you should be grand.

  • Creative Zen Touch - Sounds from inside case and firmwear not reload

    the story:
    I was sitting in my room when suddenly in the middle of a song, the music stoped, i go over to check. Nothing works, so i get a paperclip and reset it. After reset, it stays on Creative logo for 5 mins. While inside the case a sound like a motor going on, off and then a static kind of noise. I restart a third time and i get recovery screen. I do cleanup. then reboot. Then format, reboot, then firmwear deletion, reboot.
    I head on over to the website and read FAQ's and such. I attempt to put the newly downloaded firmwear onto my Zen Touch. I click the file, it starts the instalation process and then says "An application is interfering with the flash program (e.g Creative file Manager)....." I would like to add, i've tried rebooting my computer, and i've turned off every single thing except for the instalation browser.
    What should i do?
    Message Edited by chris23 on 08-5-2006 06:49 AM

    I think your hard dri've has crashed. If the player itself is making a loud noise like that it's most likely the hard dri've. I'm not sure if reloading the firmware would solve this problem.

  • ASA access from inside to outside interface

    Hi
    We need to make acces on our ASA device from inside network to outside interface.
    The situation is next:
    We have public external ip address and we need to access it from our inside network.
    Can you please tell me if it is possible to do this?
    Thank you.

    That's right, the solution is named Hairpinning aka U-turn.
    The dynamic rule was the one suggested in my first reply:
    global (inside) 1* interface              *Assume you are using number one - See more at: https://supportforums.cisco.com/message/3867660#3867660
    global (inside) 1* interface              *Assume you are using number one - See more at: https://supportforums.cisco.com/message/3867660#3867660
    global (inside) 1* interface              *Assume you are using number one - See more at: https://supportforums.cisco.com/message/3867660#3867660
    global (inside) 1* interface              *Assume you are using number one - See more at: https://supportforums.cisco.com/message/3867660#3867660
    global (inside) 1* interface              *Assume you are using number one - See more at: https://supportforums.cisco.com/message/3867660#3867660
    global (inside) 1* interface           *Assume you are using number one

  • How to cancel a Timer from inside a TimerTask ?

    I have a web application with this structure:
    Tomcat starts a servlet and that starts a master thread to run once every 10 minutes,
    that master thread in turn starts any number of individual tasks to run until completion,
    the idea being a "shoot and forget" methodology.
    public class MasterTask extends TimerTask {
    // run once every 10 minutes
    // retrieve a list of actions to do, this is from a database, could be 10 could be 100
    // for each action schedule a TimerTask
    // the reason for using a new Timer each time is that any of the action tasks
    // may take a long time or not, i do not want an individual task to wait
    // for a previous one to finish, therefore each task is put on it's own timer
    // also in order to spread resources somewhat there is an incremental delay
    // so the is some time between the start of each task as there can be many
    Timer timeit;
    int delay = 0;
    for ( ActionTask doit : taskList ) {
    timeit = new Timer();
    timeit(doit,delay);
    delay = delay+200;
    public class ActionTask extends TimerTask {
    // perform whatever actions need to be done inside this individual TimerTask
    // at some point the individual task has completed it's work
    // how do i completely remove it from this location ?
    I know that inside the TimerTask i can call cancel() but that will only prevent it from running again it does not actually remove it completely, it remains in existence and therefore uses up memory. What i need to do is call the cancel() method on the Timer in order to remove both the Timer and TimerTask.
    If i do not do this then the program will just keep creating new Timers until eternity.
    ( or basically until i run out of memory )
    How do i call the Timer.cancel() method from INSIDE the TimerTask ?
    ( Note that both classes are seperate classes/files and not inside the same file or class. )
    thanks,
    Erik
    Edited by: Datapunter on Jul 27, 2009 4:06 PM

    Gotcha,
    the Timer does get cancelled but the TimerTask runs to completion first.
    Was expecting a kill() type effect but that is not what cancel() does.
    Servlet started by Tomcat
    package servlet;
    import java.util.*;
    import javax.servlet.ServletException;
    public class TestServlet extends javax.servlet.http.HttpServlet implements javax.servlet.Servlet {
        public void init() throws ServletException {
              Timer timeIt = new Timer();
              timeIt.schedule(new timertasks.testmaster(), 0, 10000); // every 10 seconds
    }master task runs every 10 seconds indefinetly,
    and every 10 seconds it starts (kicks off) 2 new tasks.
    package timertasks;
    import java.util.Timer;
    import java.util.TimerTask;
    public class testmaster extends TimerTask {
         public testmaster() {}
         // scheduled to run once every 10 seconds
         public void run() {
              int delay = 0;
              Timer timeit;
              for ( int count = 0; count < 2 ; count++ ) {
                   timeit = new Timer();
                   timeit.schedule(new ActionTask(timeit), delay, 2000);     // every 2 seconds
                   delay = delay + 200;
    }individual timertask, just comment out the timeit.cancel(); to see the difference in effect.
    package timertasks;
    import java.util.Timer;
    import java.util.TimerTask;
    public class ActionTask extends TimerTask {
         private Timer timeit;
         private int runcounter = 0;
         public ActionTask(Timer timeit) {
              this.timeit = timeit;
         // without cancel then values of runcounter should keep rising and more and more tasks should appear
         // with cancel each should run only once
         public void run() {
              System.out.println("before cancel, runcounter="+runcounter);
              timeit.cancel();
              System.out.println("after cancel, runcounter="+runcounter);
              runcounter++;
    }thanks.

  • Targeting the EdgeID object from inside the animation

    I've been working on an animation that displays content pulled in from json files.  The height of the content pulled in is determined and then the Stage height is adjusted to fit the total content. This works well by itself. See http://www.jomariworks.com/edge-json (Only west coast links are live. Project files http://www.jomariworks.com/edge-json/edge-json.zip)
    Now I'm embedding the animation in a page using the oam insert feature, which creates an object with a fixed size.  When the animation adjusts the stage height, the object window size does not change. When the content is longer than the object window, the content scrolls.
    Is there a way I can target the height of the object (id is EdgeID) during the execution of the animation?
    The live version of this can be viewed at  http://reconnectingamerica.org/spacerace/index.php.  The project files at http://www.jomariworks.com/edge-json/edge-json.zip are the same as far as functionality goes.
    Thanks in advance for any help.

    After being unable to discover how to target the height of the object containing the embedded edge animation, I have gone back to having the entire page part of the animation file.
    The final web page is online at http://reconnectingamerica.org/spacerace
    There are big disadvantages of this:
    The full web page has more than 7000 lines of HTML.  Making changes in Edge Animate is a VERY slow process.
    Edge Animate corrupts the HTML in the file. This file contains complex TABLEs.  After making changes in Edge Animate and saving those changes, the TABLE headers are all corrupted (e.g. closing THEAD tags are moved above the head content and several closing TR tags are relocated. For the record, I checked.and the original HTML is syntactically valid.).  To deal with this I removed the tables when editing in Edge Animate and after making changes and publishing the Edge Animate version of the HTML I restored the tables.
    Working separately on the animation and then embedding is clearly the better workflow in this situation. Unfortunately, I needed to be able to resize the embedded animation's object container in the same way I was able to adjust the Stage from inside the animation.  Not being a jQuery wizard I couldn't figure out how to target the height of the animation's parent container.  Still interested in finding out how to do that if anyone can help.
    Message was edited by: jomariworks

  • Flash IDE, opaque white screen from inside a graphic object

    I'm sorry if this has been answered, I couldn't find anything about it.
    When I'm editing a graphic object on the stage (not from the library) everything else is under this opaque white screen so I can't see their true color.
    Is there a way to disable it?
    Thanks.

    No. It's a convenience feature to help you retain alignment and get sort of an onion skin idea of where you are.
    Tou can always take a screenshot and put it in a locked background layer under your clip of your content to simulate the full color. It's all about how complex you need it to be.
    If the background is animated then the good old way is the only way. Copy the frames from inside the clip (hopefully not to complex), make a new layer in the content you want to edit it in with full color, paste frames, make changes, then copy it back into your previous MovieClip.
    I myself always desire that semi-transparent white to make the clips contents obvious but I have wanted to disable that before to ink dropper select some colors.

  • PS CS6  - text and font changes by clicking on it - not reversible

    Sometimes I open a file with layers in PS and click on a text layer, to move or change it,
    and immediately the text and font changes into another text/font from the document.
    Can not save the file then the problem stays forever. I can´t touch/change any text layer
    without this problem. Happens on every ca. 10th - 20th file  I open...
    Please help me, how can this be fixed?

    There was a bug in 13.0.0 that could corrupt text layers that way.
    It was fixed in 13.0.1, but documents saved with 13.0.0 could already be corrupted and there is no way to fix them automatically.

  • Why is font from 'Fire' application (IM) on Mac bolded in IM on Windows?

    Using Fire and font AppleGothic or American Typewriter in IM text and when text is displayed from AOL (AIM) on Windows the font is a bolded, sans-serif font.
    There appears to be no way to prevent this text from being bolded in a Windows display. Is this correct?
    Is there some font from the Mac that will not display as bolded in a Windows display?

    Those fonts are probably not on the Windows system, so it replaces them with a default font.
    See if you can change the default font on the Windows system or use a font which is available on both, Tahoma, Verdana or Arial are examples of fonts which you can generally expect to see on both PCs and Macs.
    iFelix

  • PDF Report with Korean font work fine in 9iDS but not in 9iAS

    Hi,
    I am using Oracle 9i Application Server 9.0.2.0.0, When i try to run the report using Korean font The pdf report not showing the korean font correctly.
    I tried the same in 9ids , which is working properly. I have done exactly the same setting in 9ias, but it is not working.
    The Oracle ias report service dialog shows version 9.0.2.0.3
    My 9ias settings
    NLS_LANG = AMERICAN_AMERICA.KO16KSC5601
    In uifont.ali the settings are
    [ PDF ]
    .....ZHT16BIG5 = "MSungStd-Light-Acro"
    .....ZHS16CGB231280 = "STSongStd-Light-Acro"
    .....KO16KSC5601 ="HYSMyeongJoStd-Medium-Acro"
    Installed the Korean font(HYSMyeongJoStd-Medium-Acro) from Adobe site
    the font file HYSMyeongJoStd-Medium-Acro exist in C:\Program Files\Adobe\Acrobat 5.0\Resource\CIDFont
    also installed the asian Suit 2000(Union Way) on the ias server.
    I have checked the Smoothing display option also in Acrobat 5. The Document font is showing
    Origial font = HYSMyeongJoStd-Medium-Acro type=type1 (CID) Encoding=KSC-EUC-H
    Actual font = HYSMyeongJoStd-Medium-Acro type=type1 (CID)
    Anyone please let me know do i need to do any other changes or i need to apply any patch . Please reply, Thanks in advance
    with Regards
    Rohit.

    Hi Navneet,
    Thanks for the immediate reply.
    As such there is no change in both the report servers , same output in win2000 and win2003. I am generating the rep from 9ids for both 9ids and 9ias, and i am using font UWKMJF which is korean charecter support, but 9ias is generating some junk charecters with spacing , 9ids is working fine.
    The PDf Document font is showing
    Origial font = HYSMyeongJoStd-Medium-Acro type=type1 (CID) Encoding=KSC-EUC-H
    Actual font = HYSMyeongJoStd-Medium-Acro type=type1 (CID)
    which is same as 9ids, but the data displaying in the pdf are not proper.
    As you mentioned about the patch, which patch i have to apply. can you please also mention the patch numbers.
    Please help me.
    Thanks and Regards
    Rohit.

  • How to allow some fixed extension go in from outside to inside but not allow go from inside to outside

    how to allow some fixed extension go in from outside to inside but not allow go from inside to outside
    for example, allow JPEG, MOV, AVI data flow from outside to inside
    but not allow JPEG, MOV, AVI files access or upload or get by outside, in another words not from inside to outside
    how to configure?

    Hi,
    The ZBF link sent earlier show how we can inspect URI in http request
    parameter-map type regex uri_regex_cm
       pattern “.*cmd.exe”
    class-map type inspect http uri_check_cm
       match request uri regex uri_regex_cm
    ZBf is the feature on Cisco routers and ASA though concepts are little same but works differently. However it is important that you can be more granular with the protocol (layer 7) inspection only. Like on ASA if you will try to restrict .exe file from a p2p application that won't be possible, But on router you have some application for p2p in NBAR and you can use it file filtering. Please check configuartion example for both devices.
    Thanks

  • Permit traffic from Inside to Outside, but not Inside to medium security interface

    Can someone just clarify the following. Assume ASA with interfaces as :
    inside (100)   (private ip range 1)
    guest (50)       (private ip range 2)  
    outside (0)      (internet)
    Example requirement is host on inside has http access to host on outside, but it shouldn’t have http access to host on guest – or any future created interfaces (with security between 1-99).
    What’s the best practice way to achieve this?

    Hi,
    The "security-level" alone is ok when you have a very simple setup.
    I would suggest creating ACLs for each interface and use them to control the traffic rather than using the "security-level" alone for that.
    If you want to control traffic from "inside" to any other interfaces (and its networks) I would suggest the following
    Create and "object-group" containing all of the other network
    Create an ACL for the "inside" interface
    First block all traffic to other networks using the "object-group" created
    After this allow all rest of the traffic
    In the case where you need to allow some traffic to the other networks, insert the rule at the top of the ACL before the rule that blocks all traffic to other networks
    For example a situation where you have interfaces and networks
    WAN
    LAN-1 = 10.10.10.0/24
    LAN-2 = 10.10.20.0/24
    DMZ = 192.168.10.0/24
    GUEST = 192.168.100.0/24
    You could block all traffic from "LAN-1" to any network other than those behind the "WAN" interface with the following configuration.
    object-group network BLOCKED-NETWORKS
    network-object 10.10.20.0 255.255.255.0
    network-object 192.168.10.0 255.255.255.0
    network-object 192.168.100.0 255.255.255.0
    access-list LAN-1-IN remark Block Traffic to Other Local Networks
    access-list LAN-1-IN deny ip any object-group BLOCKED-NETWORKS
    access-list LAN-1-IN remark Allow All Other Traffic
    access-list LAN-1-IN permit ip 10.10.10.0 255.255.255.0 any
    This should work if your only need is to control the traffic of the interface "LAN-1". If you want to control each interfaces connections to the others then you could do minor additions
    Have all your local networks configured under the "object-group"This way you can use the same "object-group" for each interface ACL
    object-group network BLOCKED-NETWORKS
    network-object 10.10.10.0 255.255.255.0
    network-object 10.10.20.0 255.255.255.0
    network-object 192.168.10.0 255.255.255.0
    network-object 192.168.100.0 255.255.255.0
    access-list LAN-1-IN remark Block Traffic to Other Local Networks
    access-list LAN-1-IN deny ip any object-group BLOCKED-NETWORKS
    access-list LAN-1-IN remark Allow All Other Traffic
    access-list LAN-1-IN permit ip 10.10.10.0 255.255.255.0 any
    access-list LAN-2-IN remark Block Traffic to Other Local Networks
    access-list LAN-2-IN deny ip any object-group BLOCKED-NETWORKS
    access-list LAN-2-IN remark Allow All Other Traffic
    access-list LAN-2-IN permit ip 10.10.20.0 255.255.255.0 any
    access-list DMZ-IN remark Block Traffic to Other Local Networks
    access-list DMZ-IN deny ip any object-group BLOCKED-NETWORKS
    access-list DMZ-IN remark Allow All Other Traffic
    access-list DMZ-IN permit ip 192.168.10.0 255.255.255.0 any
    access-list GUEST-IN remark Block Traffic to Other Local Networks
    access-list GUEST-IN deny ip any object-group BLOCKED-NETWORKS
    access-list GUEST-IN remark Allow All Other Traffic
    access-list GUEST-IN permit ip 192.168.100.0 255.255.255.0 any
    Then you could basically use the same type ACLs in each interface. (Though still separate ACLs for each interface) And as I said if you need to open something between local networks then insert the correct "permit" tule at the top of the ACL.
    Hope this helps
    - Jouni

  • ASA 5510 traffic from inside to outside

    Hello,
    I'm working on a basic configuration of a 5510 ASA.
    inside network of 192.168.23.0 /24
    outside network 141.0.x.0 /24
    config is as follows:
    interface Ethernet0/0
     nameif OUTSIDE
     security-level 0
     ip address 141.0.x.0 255.255.255.0
    interface Ethernet0/1
     nameif INSIDE
     security-level 50
     ip address 192.168.23.1 255.255.255.0
    same-security-traffic permit inter-interface
    same-security-traffic permit intra-interface
    access-list OUTSIDE_access_in extended permit icmp any any
    access-list OUTSIDE_access_in extended permit tcp any interface OUTSIDE eq https
    access-list INSIDE_access_in extended permit icmp any any
    global (OUTSIDE) 1 interface
    nat (INSIDE) 1 192.168.23.0 255.255.255.0
    access-group OUTSIDE_access_in in interface OUTSIDE
    access-group INSIDE_access_in in interface INSIDE
    route OUTSIDE 0.0.0.0 0.0.0.0 141.0.x.57 1
    In the LAB When I plug a laptop into the outside interface with address 141.0.x.57 I can ping it from a laptop from the inside interface and I can even access the IIS page. However, when I connect the ISP's firewall into the outside interface with the same address that I used the testing laptop with, I cannot seem to be able to access the outside world.
    I can ping from the ASA's outside interface (x.58, to the ISP's x.57), but I cannot ping from the inside 192.168.23.x to it or access anything.
    So traffic between inside and outside interface is not going through when in live setup. However, when in the lab it works fine.
    Any ideas please?

    Version of FW:
    Cisco Adaptive Security Appliance Software Version 8.2(1)
    Device Manager Version 6.3(1)
    Output of Packet-Trace Command is:
    SDH-PUBLIC-ASA(config)# packet-tracer input INSIDE icmp 192.168.23.10 8 0 1xpacket-tracer input INSIDE icmp 192.168.23.10 8 0 141.$
    Phase: 1
    Type: ACCESS-LIST
    Subtype:
    Result: ALLOW
    Config:
    Implicit Rule
    Additional Information:
    MAC Access list
    Phase: 2
    Type: FLOW-LOOKUP
    Subtype:
    Result: ALLOW
    Config:
    Additional Information:
    Found no matching flow, creating a new flow
    Phase: 3
    Type: ROUTE-LOOKUP
    Subtype: input
    Result: ALLOW
    Config:
    Additional Information:
    in   141.0.x.0      255.255.255.0   OUTSIDE
    Phase: 4
    Type: ACCESS-LIST
    Subtype: log
    Result: ALLOW
    Config:
    access-group INSIDE_access_in in interface INSIDE
    access-list INSIDE_access_in extended permit icmp any any
    Additional Information:
    Phase: 5
    Type: IP-OPTIONS
    Subtype:
    Result: ALLOW
    Config:
    Additional Information:
    Phase: 6
    Type: INSPECT
    Subtype: np-inspect
    Result: ALLOW
    Config:
    class-map inspection_default
     match default-inspection-traffic
    policy-map global_policy
     class inspection_default
      inspect icmp
    service-policy global_policy global
    Additional Information:
    Phase: 7
    Type: INSPECT
    Subtype: np-inspect
    Result: ALLOW
    Config:
    Additional Information:
    Phase: 8
    Type: NAT
    Subtype:
    Result: ALLOW
    Config:
    nat (INSIDE) 0 192.168.23.0 255.255.255.0
      match ip INSIDE 192.168.23.0 255.255.255.0 OUTSIDE any
        identity NAT translation, pool 0
        translate_hits = 104, untranslate_hits = 0
    Additional Information:
    Dynamic translate 192.168.23.10/0 to 192.168.23.10/0 using netmask 255.255.255.255
    Phase: 9
    Type: NAT
    Subtype: host-limits
    Result: ALLOW
    Config:
    nat (INSIDE) 0 192.168.23.0 255.255.255.0
      match ip INSIDE 192.168.23.0 255.255.255.0 OUTSIDE any
        identity NAT translation, pool 0
        translate_hits = 107, untranslate_hits = 0
    Additional Information:
    Phase: 10
    Type: IP-OPTIONS
    Subtype:
    Result: ALLOW
    Config:
    Additional Information:
    Phase: 11
    Type: FLOW-CREATION
    Subtype:
    Result: ALLOW
    Config:
    Additional Information:
    New flow created with id 141, packet dispatched to next module
    Result:
    input-interface: INSIDE
    input-status: up
    input-line-status: up
    output-interface: OUTSIDE
    output-status: up
    output-line-status: up
    Action: allow

  • Korean font not displaying correctly. Internationalization Issue

    Hello,
    I'm not sure if this is an internationalization issue but I have an Adobe Air project that isn't displaying Korean correctly. I basically have created a MovieClip in Flash CC with a textfield child. When this movieclip is instanced in Air, it's text is dynamically assigned from a web service. The font used works fine except for Korean so we had to switch fonts when using Korean text. This is where things get interesting. If I try to programmatically change the textformat.font to use the Korean font, the font switches but just the Korean characters aren't supported. However if I set the textfield's font to the Korean one in Flash CC, everything displays fine. The font is embedding the same in both instances and is including 'All' characters.
    I'm not sure if this is a bug or if I have to add a flag for Korean support somewheres in the build settings. I've created work around for now which has two textfields, one with the font we need and one for korean only. As the data from the webservice is parsed it detects for Korean characters in the string and if it finds them it makes sure the Korean textfield is used. Kind of a dirty way to do it but it doesn't seem to like changing the font family around.
    Anyone else notice this?

    It's the latest AIR 15 SDK with the Flex framework.swc and framework_fb.swf added for binding support
    I overwrote the code since it was only a couple lines but here's what I was doing for the way that broke
    var tf : TextFormate = this._sknPageShield.pageName.getTextFormat();
    tf.font = "Arial Unicode MS";
    this._sknPageShield.pageName.setTextFormat(tf);
    The font changes because english characters showed up, however even though I click embed all fonts, korean characters do not display. I have to set the font on the textfield using the Flash CC tools and it works fine.

  • How to make the application access the fonts from outside library?

    actually the fonts located in the library are considered from the system/library/fonts path. is it possible to make it accessible from outside that path through programatically for indesign applications? if yes means, how to do it?
    thanks
    subha

    i think am not mentioned the question clear.
    the fonts menu inside InDesign lists the fonts from
    for mac: System/Library/Fonts
                  Adobe InDesign CS2/fonts
    for windows: C:\WINDOWS\Fonts
    C:\Program Files\Adobe\Adobe InDesign CS2\Fonts
    is it possible to list the font from someother folder rather than this folders.
    by
    Subha...

Maybe you are looking for