How to get keys to display properly

Hi all,
Over the years I have found a lot of great answers through these forums and I was hoping someone could help me with this new problem.
I just finally made the leap from OS 9.2 and have not been able to get several of my punctuation keys to work.
For instance, my apostrophe comes out è. And the quotation mark as È. The square brackets above them are ^ and ç and so on.
Ièm sure itès a relatively easy solution... (frustrating) but I have been gone through my help menus and these boards and nothing I have tried works.
I have a macally ikey keyboard.
Thanks,
cody
350MHz iMac   Mac OS X (10.3.5)  

Yes, Apple's 'Canadian' keyboards are the sort of things government agencies spec—and likely they're the only purchasers. The rest of us have become accustomed to what the market gives us: US keyboards. For some time I used the Australian setting, which kept results in line w/ the labels on the keys.
Tom Gewecke, longtime poster here on all things keyboard-related has a wee hack on his homepage called "CanUSA.rsrc" which merely applies the desired flag to the 'standard' keyboard. Sorry I don't have the link, but I'm sure you could search it out, and I'm not sure I should be linking to his page in any case.

Similar Messages

  • How to get artwork to display properly and have chapters on podcasts?

    Hi there.  I have a podcast series I download called Aural Pleasures... They are DJ mixes which are made using GarageBand.  They are chaptered and have different artwork for each song in the mix (each chapter).  In iTunes on my Mac, as well as on my iPhone, the chapter artwork displays properly.  On the iPad 2, however the artwork stays the same for the entire podcast. 
    Is this the intended layout for iPads?  Why is it different than the iPhone and Mac?

    PS, you can download the podcast at www.auralpleasuresmusic.com to see what I mean.

  • How to get key from MDX Query

    Hi All,
    how to get key from mdx query ?
    example :
    SELECT [Measures].[67822GFASOU7KUT6FKHSQ34FV] ON COLUMNS NON EMPTY CROSSJOIN([ZCOMPANY].MEMBERS, [ZMILL].MEMBERS) ON ROWS FROM ZODS_GL/ZODS_GL_001
    the result from this mdx query are zcompany text and zmill text, how to get company key and mill key ?
    Regards
    JeiMing

    hi Jeiming,
    to get key in mdx, you can try something like
    [ZCOMPANY].[LEVEL01].MEMBERS
    properties [ZCOMPANY].[2ZCOMPANY]
    following threads may useful
    Extracting texts with MDX
    MDX Statement - display only keys for characterstics and their dis. attrib.
    hope this helps.

  • How to get key and text value of field "TNDRST" in VTTK from R/3 into BI

    There is one field call "TNDRST(Tender Status)" in SAP table VTTK in R/3. We can find  key value, but we are unable to find text for this field in VTTK. However we can see text value if we double click domain:TNDRST and go to value range.
    Questions, how to get key value and text of TNDRST together in BI. Do we need to create a master data source for TNDRST text information in R/3 and extracting into BI, if yes, how to? Are there any easy way to do it??
    Thanks,
    Sudree

    Hi Sudree,
    You need to create a generic Text Datasource to extract this information into BI System.
    1. Create a generic DS based on Table: DD07T
    2. The fields should be put in the extract structure.
              DOMNAME (Make this as Selection in the DS ) -
    Filter the Domain Name
              DOMVALUE_L -
    Key Value of Tender Status
              DDTEXT -
    Text / Description
              DDLANGUAGE -
    Language
    3. DD07T is the table with all the Domain names & their values, so in the Infopackage enter the Selection Value for DOMNAME as 'TNDRST' and then run it.
    Or you can create a view out of this table based on DOMNAME filter as 'TNDRST'.
    Regards,
    Chathia.

  • How to get keys of a particular type

    Following are my objects:
    DepartmentKey - primary key is departmentName, a String
    Department
    EmployeeKey - primary key is employeeId, an integer
    Employee
    I have 5 DepartmentKey-Department key-value entries in a cache and 2000 EmployeeKey-Employee key-value entries in the same cache.
    How do I get all the DepartmentKeys from the cache? In general, how to get keys of a particular type (class name)?
    Thanks
    Ghanshyam

    I guess I am deeply off track regarding the general approach towards storing items in the cache.
    Following is my problem domain:
    A Merchant is any establishment that accepts credit cards. (It could be the local Subway down the street or Macy's, etc.). A Transaction is a credit card transaction.
    public class Merchant implements Serializable{
    private String merchantId; // primary key
    private double averageTxnAmount;
    private double totalTxnAmount;
    private long totalTxnCount;
    public class Transaction implements Serializable{
    private String merchantId; // merchant that originated the txn
    private double amount;
    private Timestamp txnTime;
    private String txnType; // sale, return, etc.
    public class MerchantKey implements Serializable, KeyAssociation{
    private String merchantId;
    public Object getAssociatedKey{
    return merchantId;
    public class TransactionKey implements Serializable, KeyAssociation{
    private String merchantId;
    private Timestamp txnTime;
    private double amount;
    public Object getAssociatedKey{
    return merchantId;
    I want to update a merchant's average txn amount as transactions come in.
    Let's say I have a million merchants in a partitioned cache cluster spread across some machines.
    Transactions come into the cluster quite rapidly, say tens in a second. The process that inserts the transaction into the cluster must also update the merchant to which the transaction belongs, as follows:
    Transaction t = ...
    cache.put(tKey, t); // store the transaction into the cache
    MerchantKey mKey = new MerchantKey(txn.getMerchantId());
    Merchant m = (Merchant)cache.get(mKey);
    // update the merchant's avg txn amt
    m.setAverageTxnAmount((txn.getAmount() + m.getTotalTxnAmount())/m.getTotalTxnCount() + 1);
    m.setTotalCount(m.getTotalCount() + 1);
    // store the updated merchant back into cache
    cache.put(mKey, m);
    OR
    Transaction t = ...
    cache.put(tKey, t); // store the transaction into the cache
    MerchantKey mKey = new MerchantKey(txn.getMerchantId());
    Merchant m = (Merchant)cache.get(mKey);
    MerchantUpdater agent = new MerchantUpdater(t);
    cache.invoke(mKey, agent);
    public class MerchantUpdater implements AbstractProcessor{
    public Object process(Entry entry){
    Merchant m = (Merchant)entry.getValue();
    // update m's avg txn amt, total count using t
    entry.setValue(m);
    The basic idea is to store all merchants and all transactions (which could be tens of millions in a day) for a day in memory and to update the merchant objects as transactions come in throughout the day. The above example shows updating just the merchant's average txn amount, but in reality, it could be updating a number of things about the merchant.
    Am I using the api in the right spirit or is my approach seriously whacked? Can you please comment?
    Thanks
    Ghanshyam

  • Alter a BAPI Result Table, how to get into the display "loop" ?

    Hello all,
    i have a problem regarding the result rows of a RFC/BAPI Call.
    There are three views, let's say 1,2,3. In View 1, i call a BAPI, and display the results in a table in View 2. I added a button in each row, which calls View 3 and displays some details concerning the selected row.
    I now want to store a flag for each row, that has been displayed in this way.
    In View 3 i store the key value of the displayed row in an own value node in the context.
    When i go back from View 3 to View 2, i want to see that flag (in an extra column) in every row, that has been selected in this session.
    So i do not know, how to alter a single row in the BAPI result table, how to get into the "loop" that is used by WD to display the table.
    already tried a supply function, but i was not able to alter single rows.
    Any suggestions/tips or perhaps code fragments of working supply functions ?
    Thank you !

    Hello,
    I'm not sure whether I understood your problem correctly, but I will try to give an answer.
    The easiest way I see is to copy the RFC Results to a Component Controller Context structure with an additional Flag field. You can use WDCopyService for copying.
    Then on the event of selecting you set your flag as appropriate for you (e.g. if you want to use an image as flag you set the Image path) on the current element of your table. Then display View 3.
    On going back View 2 should show now the new flag values...
    The trick is to copy the values (as at Time structures can not be expandend with new fields) and set the Flag on the onSelect event.
    Hope this helps,
    Frank

  • How to get Key and text for plant for which variable is created

    Hi All
    I have created one variable for Plant. User is going to give input for the plant for  execution of query.I am displaying the variable value which is user putting in the query. kindly let me know how to display key and text both for the query.as key is displaying presently.
    Regards
    Atul

    hi Atul kumar jais
    You have to create a text variable using replacement path for processing type and give the reference object which is the object which you created variable for, "replace with" one with key and anther one with text. Then you can display that in the header of the column or if you are using custom template, you can use webitem for it.
    thanks.
    Wond

  • UREGENT: How to get a Image displayed on Canvas?

    Hi, my problem is: I have an image drew on Canvas, but I cannot access this image through Java, the image is there on Canvas, but I simply can't get that image.
    Anyone know how can I get an Image displayed on Canvas?

    Pt 1. > but I cannot access this image through Java, the
    Q1. > Anyone know how can I get an Image displayed on Canvas?
    From the axioms given, I would say that it is not possible. :)
    Why is it so UREGENT?

  • Can't Get Fonts to Display Properly in Reader

    I have a poster I'm trying to make available in a PDF file on the web.
    The file displays properly if it's started/loaded directly on a
    computer. But, when the file is downloaded from the web using a
    browser and viewed in the browser the fonts are screwed up.
    The fonts are embedded in the pdf file.
    How do I make the fonts display properly in the browser downloaded
    file?

    On Fri, 29 Feb 2008 15:50:52 -0800, Bill@VT <[email protected]> wrote:<br /><br />>Do you have a link? It may be that the use local fonts is turned on, but I don't know if that is an option in Reader.<br /><br />http://factsfacts.com/guild/showposter2008personal.pdf<br /><br />If it's not working for you, you won't know what it's supposed to look<br />like, so I've made this image to show how it should look:<br /><br />http://img244.imageshack.us/img244/7972/0040lw2.gif

  • How to get keys on multilevel tree?

    Hello,
    I've got a problem with a multilevel tree with 3 levels on 3 related tables: grandparent -> parent -> child.
    When the user selects a child node (a leaf of the tree), my selectionListener needs the 3 primary keys: 1. for the current grandparent row on the path of the node, 2. for the current parent row on the path of the node, 3. for the child node the user has just selected.
    However, getSelectedRowKeys() is returning just the grandparent key, not a set with the 3 keys leading to the leaf node.
    My tree is defined as
           <af:tree value="#{bindings.GrandParent.treeModel}" var="node"
                    selectionListener="#{backingBeanScope.untitled1.treeSelectionListener}"
                    selectedRowKeys="#{bindings.GrandParent.treeModel.selectedRow}"
                    rowSelection="single" id="treePTM"
                    binding="#{backingBeanScope.untitled1.treePTM}">and my listener is
      public void treeSelectionListener(SelectionEvent event) {
        ELUtils.invokeMethod("#{bindings.GrandParent.treeModel.makeCurrent}", SelectionEvent.class, event);
        RowKeySet rks = ((RichTree)event.getSource()).getSelectedRowKeys();
        Iterator i = rks.iterator();
        while(i.hasNext()) {
           Object rowKey = i.next();
      }the single rowKey object returned only has the grandparent key, not the triplet (grandparent key, parent key, child key).
    How to get all the primary keys leading to the currently selected node when the selected node is not at first level?

    Hi,
    no, that code is fine.
    I solved by removing this property from the tree definition:
    selectedRowKeys="#{bindings.GrandParent.treeModel.selectedRow}"
    then rowKey has 3 values instead of 1.
    I use to set selectedRowKeys that way because that mimics what JDev declares automatically for af:table and that also automatically selects the first element in the tree (I'll just try to manually select the first element form code to workaround this)
    I thought treeModel.selectedRow held a reference to all the primary keys but this turns out not to be true. Thanks anyway for looking into this.

  • How to load an applet with 2 classes and get it to display properly

    Ok I am a very newbie as you can tell by code below but I need help duh. I am a student taking a Java course on my own (ie no marks) so I know what I am doing in a second level java courseI am not sure if my problem is with "Forte for Java 4, CE" or my code. I have two files. Door.java and Exercise4a.java
    The code is as follows:
    Door.java
    package Exercise4.Exercise4a;
    import java.awt.*;
    import java.applet.*;
    public class Door extends java.applet.Applet {
    /** Creates a new instance of Door */
    int x;
    int y;
    public void init() {
    Graphics b;
    public Door(Point aPoint)
    x = (int)aPoint.getX();
    y = (int)aPoint.getY();
    public void paint(Graphics graphics)
    graphics.drawRect(0 + x ,0 + y, 20,30);
    graphics.setColor(Color.black);
    graphics.fillOval(15 + x,15 + y ,5,5);
    graphics.drawImage(buffer,0,0,this);
    public static void main(String args[]){}
    and Exercise4a.java
    package Exercise4.Exercise4a;
    import java.awt.*;
    import java.applet.*;
    public class Exercise4a extends java.applet.Applet {
    Graphics b;
    public void init() {
    Point a = new Point(0,0);
    Door door = new Door(a);
    My problem is that I do not see my door when I compile either file.
    What am I doing wrong? Is this acode problem. ie how do I load the graphics or is it that I am not compiling it correctly.

    package Exercise4.Exercise4a;
    import java.awt.*;
    import java.applet.*;
    public class Exercise4a extends java.applet.Applet {
    Graphics b;
    public void init() {
    Point a = new Point(0,0);
    Door door = new Door(a);// door.paint (b)

  • How to get key name  from parameter list

    hi..
    i want string from parameter list.. i hv already created parameter list like
    ADD_PARAMETER (param_list_id, 'EMPID', TEXT_PARAMETER,'123');
    ADD_PARAMETER (param_list_id, 'EMPNM', TEXT_PARAMETER, 'ABC');
    ADD_PARAMETER (param_list_id, 'EMPADD', TEXT_PARAMETER, 'XXX');
    i got value like '123' ,'ABC', 'XXX' using
    eg. get_parameter_attr(param_list_id,'EMPID',aprmlist,avalue)
    but i want key name like 'EMPID' , 'EMPNM', 'EMPADD' from param_list_id
    is it possible to get this key name from parameter list ???
    Thanks...

    I cannot think of a way to do that. The code that reads the list is supposed to know the key names. That is sort of the point with parameter lists. If you need to have parameter lists that can be interepreted by some code that doesn't know about a specific list but knows how to interpret it by inspecting the key names, perhaps you can specify a separate parameter list with the key names as values and call the keys of that list something generic?

  • How to get Firefox to display pdf file in browser (Win 7, FF 19.0, AA 10.1.6, IE 9)?

    After Firefox updated to version 19, when I tried to view a pdf file, the file appeared in a strange new viewer. Seemed to work OK, but I was concerned (didn't know that it is apparently a new feature of FF 19), and wanted the Adobe viewer back.
    After a few minutes of viewing in the FF pdf viewer, a message appeared that said something like-- This viewer may not be displaying the document correctly. Would you like to use Adobe Acrobat instead?-- I clicked yes.
    Now, when I click a link for a pdf file, it will either open automatically in Adobe Acrobat (windows application, not viewer within FF), or I'll get a dialog that asks whether I want to save the file or use Adobe Acrobat to open it.
    I have followed the instructions here:
    http://support.mozilla.org/en-US/kb/use-adobe-reader-plugin-view-or-download-pdf-files?esab=a&s=view+pdf+in+browser&r=0&as=s
    Including:
    http://support.mozilla.org/en-US/kb/view-pdf-files-firefox-without-downloading-them
    http://support.mozilla.org/en-US/kb/view-pdf-files-firefox-without-downloading-them#w_using-a-pdf-reader-plugin
    http://support.mozilla.org/en-US/kb/view-pdf-files-firefox-without-downloading-them#w_check-application-settings
    Delete the mimetypes.rdf file
    Delete the pluginreg.dat file
    Let me know if you think I've missed any info that would be helpful. Now that I know the new PDF viewer is FF native, I wouldn't mind trying it out.
    Thanks!
    Who
    repair of Adobe Acrobat
    If I start IE and click a pdf link within IE, I can view a PDF file within IE, but who wants IE?

    Hi madperson,
    It seems like there is some progress. After setting pdfjs.disabled to true, when I click on a pdf link, it still only asks me if I want to open the file with (application list) or save the file. However, when I look at the options dialog>applications, the selection for pdf documents changed from use plugin to use Adobe Acrobat Reader (not plugin). I scrolled through the selection list, but the Adobe plugin was not listed. However, when I look at the add-ons screen, the Adobe Acrobat Reader plugin is listed at the top. So, it seems like the plugin is installed, but firefox doesn't know it's there...somehow.
    How do I uninstall the Adobe Acrobat Reader plugin and re-install? Can I just do that? Or, do I need to uninstall/reinstall the entire Adobe Acrobat Reader application?
    Thanks
    Who

  • HT204291 How to get full screen display in AirPlay mirroring on Apple TV?

    Hi there,
    I am using airplay from my iPad (new). Mirroring doe not utilize 100% of my screen width. There is always 3 inches of screen initialized on either side.
    I tried using all the screen resolution of video in settings it does not help. Ting to note is that the problem is occurring only for mirroring. If I play videos directly in YouTube on Apple TV I get full display. Any reason how to resolve this to achieve full screen and 100% Mirroring?

    No there is no way to Mirror full screen from an iOS device to the Apple TV. iOS devices are not 16:9 like your HDTV so the mirrored image appears as the size your iOS device would be if it were the size of your TV. Hope that makes sense.

  • How to get panel to display thumbnails sized to layer bounds instead of relative toentire document??

    There is an option for this, but it only partially works...and was wondering if there is something else I'm supposed to know about to make the feature work as described...?
    I can turn on the option to display thumbnails .. bit in only works for bitmapped stuff.  None of my vector masks are shown at the size of their layer.  (Note -- I have layer shaped by transparency set to off -- meaning the layer is shaped by the vector mask and not any content.  This is confirmable by turning on the option to show layer bounds).
    Yet, when I do this, it's obvious on the larger screen (if layer bounds are showing), that the vector takes up the full layer.  But in the thumbnail, I often can't even the shape at all -- not very helpful. 
    So what am I missing?  How do I get the vector thumbnails to display the size of their layer?
    Thanks!

    That's definitely NOT the case in Photoshop...
    If you use the 'move tool', and you have "show transform controls turned on', it will show you the
    corners of the layer -- the actual size of the layer...
    You can verify this by going in and and creating a paint layer, say 1000x1000.
    Now create a shape some small fraction of that... Any closed vector and attach it to the
    layer, with Layer->Mask->Vector.
    now check out the size in 'move tool' -- it will be 1000x1000.
    Now go into image blending options and uncheck 'transparency shapes layer'.
    Now, the layer is shaped by the vector -- not the transparent edges where your canvas ended.
    Now, if you use move tool, you will find the 'corner' of the layer positioned around the vector, not
    around the 1000x1000 layer you just created.
    To round out the demo, save a copy of your mask if you want, and go into the mask panel
    and select 'vector'.  At the bottom, of the panel there is a tiny graphic of an arrow pointing down
    onto a 'plane', (or layer).  indicating to apply the vector mask to the layer.  Do so.
    Now go into blending options and recheck the 'transparency shapes layer.'
    Try move again... Now note the bounding box is the SAME size as it was with the vector
    attached... because you truncated the rest of the layer with the mask.  You now have a smaller
    object... that is that size...  (I know... all this is very basic to a community professional), BUT
    my point now, is that if the outline box that small bitmaped shape w/o the vector mask is only
    say 100x100 (vs. before it was 1000x1000... and if it's the same size as BEFORE you
    applied the mask WITH the vector there (but shaped/w/transparency off).  Then I would assert
    that the since the outline box is showing the size of the layer -- the size of the layers are the same.
    Therefore, the vector takes up the full size of a layer that is shaped by that vector mask.
    p.s. has Mylène put out any hits since your pseudo?

Maybe you are looking for

  • Runtime error while executing SE30 Tcode as CREATE_DATA_ILLEGAL_LENGTH

    Hi Guys, when I am executing a TCode SE30 I am getting following Runtime error . Runtime Errors         CREATE_DATA_ILLEGAL_LENGTH Except.                CX_SY_CREATE_DATA_ERROR Date and Time          23.07.2010 12:28:30 Short text      CREATE DATA:

  • Using javascript to set non database values

    I finally figured out how to set the values of a non database form field using Javascript. The only problem is, I want this field to be a display only field, and the value does not get set if I make the field non updateable on the form. Can somebody

  • Getting "server not found" errors randomly. If I reload the page comes up fine. Why?

    I'm on a Mac running 10.6.5 and using Firefox 3.6.13. All of the sudden pages I visit all the time are coming up with "server not found" errors, but when I refresh the page comes up fine. Sometimes the page loads, but in html code and all jumbled. Ho

  • Quick question about Time Machineive

    I can't seem to find the answer to this question: can I set up Time Machine to back up an additional external drive in addition to backing up my computer? We keep our media on a separate external drive. I'm looking into buying Leopard in part because

  • 10.7.5 Update Mail Crash Issue

    Since updating to 10.7.5 Mail crashes on each attempt to open. How can I fix this issue?