Xygraph axis number fonts

using LV6.1 and Win2000. I need to set the font of the axis numbers on a printed graph programmatically. Any knowledge of what property node does this?

Property node properties-> X (or Y) Scale -> Marker -> Font
Then just wire a string to the property node w/ a valid font name (eg Comic Sans MS or Arial).
2006 Ultimate LabVIEW G-eek.

Similar Messages

  • Xy graph axis number font sizes.

    sorry see my earlier xy graph axis font post for the details but what I really want to do is change the size of the font.
    thanks.

    Property node properties-> X (or Y) Scale -> Marker -> Font -> FontSize

  • Auto Page Number Change Font or Delete?

    After translation from Word to Pages, the auto page number font causes the third digit of the page number to appear outside margin of header.  How can I change font or delete and put in new page number?

    Usually the page numbering from Word are have objects that are not selectable. That is until you have made them selectable by going  Arrange > Make background object selectable. You might need to go Format > Advanced > Make Master object selectable  too.
    Delete them and use Pages version instead, Insert > Page Number

  • Line Number in JTextPane

    Hi Experts;
    How do I add a caret listener on this code so that it will just add a number
    when the user goes to the next line.
    import java.awt.*;
    import javax.swing.*;
    public class LineNumber extends JComponent
         private final static Color DEFAULT_BACKGROUND = new Color(213, 213, 234);
         private final static Color DEFAULT_FOREGROUND = Color.white;
         private final static Font DEFAULT_FONT = new Font("arial", Font.PLAIN, 11);
         // LineNumber height (abends when I use MAX_VALUE)
         private final static int HEIGHT = Integer.MAX_VALUE - 1000000;
         // Set right/left margin
         private final static int MARGIN = 5;
         // Line height of this LineNumber component
         private int lineHeight;
         // Line height of this LineNumber component
         private int fontLineHeight;
         // With of the LineNumber component
         private int currentRowWidth;
         // Metrics of this LineNumber component
         private FontMetrics fontMetrics;
          * Convenience constructor for Text Components
         public LineNumber(JComponent component)
              if (component == null)
                   setBackground( DEFAULT_BACKGROUND );
                   setForeground( DEFAULT_FOREGROUND );
                   setFont( DEFAULT_FONT );
              else
                   setBackground( DEFAULT_BACKGROUND );
                   setForeground( DEFAULT_FOREGROUND );
                   setFont( component.getFont() );
              setPreferredSize( 99 );
         public void setPreferredSize(int row)
              int width = fontMetrics.stringWidth( String.valueOf(row) );
              if (currentRowWidth < width)
                   currentRowWidth = width;
                   setPreferredSize( new Dimension(2 * MARGIN + width, HEIGHT) );
         public void setFont(Font font)
              super.setFont(font);
              fontMetrics = getFontMetrics( getFont() );
              fontLineHeight = fontMetrics.getHeight();
          * The line height defaults to the line height of the font for this
          * component. The line height can be overridden by setting it to a
          * positive non-zero value.
         public int getLineHeight()
              if (lineHeight == 0)
                   return fontLineHeight;
              else
                   return lineHeight;
         public void setLineHeight(int lineHeight)
              if (lineHeight > 0)
                   this.lineHeight = lineHeight;
         public int getStartOffset()
              return 4;
         public void paintComponent(Graphics g)
               int lineHeight = getLineHeight();
               int startOffset = getStartOffset();
               Rectangle drawHere = g.getClipBounds();
               g.setColor( getBackground() );
               g.fillRect(drawHere.x, drawHere.y, drawHere.width, drawHere.height);
               g.setColor( getForeground() );
               int startLineNumber = (drawHere.y / lineHeight) + 1;
               int endLineNumber = startLineNumber + (drawHere.height / lineHeight);
               int start = (drawHere.y / lineHeight) * lineHeight + lineHeight - startOffset;
               for (int i = startLineNumber; i <= endLineNumber; i++)
               String lineNumber = String.valueOf(i);
               int width = fontMetrics.stringWidth( lineNumber );
               g.drawString(lineNumber, MARGIN + currentRowWidth - width, start);
               start += lineHeight;
               setPreferredSize( endLineNumber );
    } Thanks for your time . . .
    The_Developer

    Here's what I use. It behaves correctly WRT wrapped lines, and should work equally well with a JTextArea or a JTextPane.
    import java.awt.Color;
    import java.awt.Dimension;
    import java.awt.Font;
    import java.awt.FontMetrics;
    import java.awt.Graphics;
    import java.awt.Rectangle;
    import java.awt.event.ComponentAdapter;
    import java.awt.event.ComponentEvent;
    import java.beans.PropertyChangeEvent;
    import java.beans.PropertyChangeListener;
    import javax.swing.BorderFactory;
    import javax.swing.JComponent;
    import javax.swing.SizeSequence;
    import javax.swing.UIManager;
    import javax.swing.event.DocumentEvent;
    import javax.swing.event.DocumentListener;
    import javax.swing.text.BadLocationException;
    import javax.swing.text.Document;
    import javax.swing.text.Element;
    import javax.swing.text.JTextComponent;
    * LineNumberView is a simple line-number gutter that works correctly
    * even when lines are wrapped in the associated text component.  This
    * is meant to be used as the RowHeaderView in a JScrollPane that
    * contains the associated text component.  Example usage:
    *<pre>
    *   JTextArea ta = new JTextArea();
    *   ta.setLineWrap(true);
    *   ta.setWrapStyleWord(true);
    *   JScrollPane sp = new JScrollPane(ta);
    *   sp.setRowHeaderView(new LineNumberView(ta));
    *</pre>
    * @author Alan Moore
    public class LineNumberView extends JComponent
      // This is for the border to the right of the line numbers.
      // There's probably a UIDefaults value that could be used for this.
      private static final Color BORDER_COLOR = Color.GRAY;
      private static final int WIDTH_TEMPLATE = 99999;
      private static final int MARGIN = 5;
      private FontMetrics viewFontMetrics;
      private int maxNumberWidth;
      private int componentWidth;
      private int textTopInset;
      private int textFontAscent;
      private int textFontHeight;
      private JTextComponent text;
      private SizeSequence sizes;
      private int startLine = 0;
      private boolean structureChanged = true;
       * Construct a LineNumberView and attach it to the given text component.
       * The LineNumberView will listen for certain kinds of events from the
       * text component and update itself accordingly.
       * @param startLine the line that changed, if there's only one
       * @param structureChanged if <tt>true</tt>, ignore the line number and
       *     update all the line heights.
      public LineNumberView(JTextComponent text)
        if (text == null)
          throw new IllegalArgumentException("Text component cannot be null");
        this.text = text;
        updateCachedMetrics();
        UpdateHandler handler = new UpdateHandler();
        text.getDocument().addDocumentListener(handler);
        text.addPropertyChangeListener(handler);
        text.addComponentListener(handler);
        setBorder(BorderFactory.createMatteBorder(0, 0, 0, 1, BORDER_COLOR));
       * Schedule a repaint because one or more line heights may have changed.
       * @param startLine the line that changed, if there's only one
       * @param structureChanged if <tt>true</tt>, ignore the line number and
       *     update all the line heights.
      private void viewChanged(int startLine, boolean structureChanged)
        this.startLine = startLine;
        this.structureChanged = structureChanged;
        revalidate();
        repaint();
      /** Update the line heights as needed. */
      private void updateSizes()
        if (startLine < 0)
          return;
        if (structureChanged)
          int count = getAdjustedLineCount();
          sizes = new SizeSequence(count);
          for (int i = 0; i < count; i++)
            sizes.setSize(i, getLineHeight(i));
          structureChanged = false;
        else
          sizes.setSize(startLine, getLineHeight(startLine));
        startLine = -1;
      /* Copied from javax.swing.text.PlainDocument */
      private int getAdjustedLineCount()
        // There is an implicit break being modeled at the end of the
        // document to deal with boundary conditions at the end.  This
        // is not desired in the line count, so we detect it and remove
        // its effect if throwing off the count.
        Element map = text.getDocument().getDefaultRootElement();
        int n = map.getElementCount();
        Element lastLine = map.getElement(n - 1);
        if ((lastLine.getEndOffset() - lastLine.getStartOffset()) > 1)
          return n;
        return n - 1;
       * Get the height of a line from the JTextComponent.
       * @param index the line number
       * @param the height, in pixels
      private int getLineHeight(int index)
        int lastPos = sizes.getPosition(index) + textTopInset;
        int height = textFontHeight;
        try
          Element map = text.getDocument().getDefaultRootElement();
          int lastChar = map.getElement(index).getEndOffset() - 1;
          Rectangle r = text.modelToView(lastChar);
          height = (r.y - lastPos) + r.height;
        catch (BadLocationException ex)
          ex.printStackTrace();
        return height;
       * Cache some values that are used a lot in painting or size
       * calculations. Also ensures that the line-number font is not
       * larger than the text component's font (by point-size, anyway).
      private void updateCachedMetrics()
        Font textFont = text.getFont();
        FontMetrics fm = getFontMetrics(textFont);
        textFontHeight = fm.getHeight();
        textFontAscent = fm.getAscent();
        textTopInset = text.getInsets().top;
        Font viewFont = getFont();
        boolean changed = false;
        if (viewFont == null)
          viewFont = UIManager.getFont("Label.font");
          changed = true;
        if (viewFont.getSize() > textFont.getSize())
          viewFont = viewFont.deriveFont(textFont.getSize2D());
          changed = true;
        viewFontMetrics = getFontMetrics(viewFont);
        maxNumberWidth = viewFontMetrics.stringWidth(String.valueOf(WIDTH_TEMPLATE));
        componentWidth = 2 * MARGIN + maxNumberWidth;
        if (changed)
          super.setFont(viewFont);
      public Dimension getPreferredSize()
        return new Dimension(componentWidth, text.getHeight());
      public void setFont(Font font)
        super.setFont(font);
        updateCachedMetrics();
      public void paintComponent(Graphics g)
        updateSizes();
        Rectangle clip = g.getClipBounds();
        g.setColor(getBackground());
        g.fillRect(clip.x, clip.y, clip.width, clip.height);
        g.setColor(getForeground());
        int base = clip.y - textTopInset;
        int first = sizes.getIndex(base);
        int last = sizes.getIndex(base + clip.height);
        String text = "";
        for (int i = first; i <= last; i++)
          text = String.valueOf(i+1);
          int x = MARGIN + maxNumberWidth - viewFontMetrics.stringWidth(text);
          int y = sizes.getPosition(i) + textFontAscent + textTopInset;
          g.drawString(text, x, y);
      class UpdateHandler extends ComponentAdapter
          implements PropertyChangeListener, DocumentListener
         * The text component was resized. 'Nuff said.
        public void componentResized(ComponentEvent evt)
          viewChanged(0, true);
         * A bound property was changed on the text component. Properties
         * like the font, border, and tab size affect the layout of the
         * whole document, so we invalidate all the line heights here.
        public void propertyChange(PropertyChangeEvent evt)
          Object oldValue = evt.getOldValue();
          Object newValue = evt.getNewValue();
          String propertyName = evt.getPropertyName();
          if ("document".equals(propertyName))
            if (oldValue != null && oldValue instanceof Document)
              ((Document)oldValue).removeDocumentListener(this);
            if (newValue != null && newValue instanceof Document)
              ((Document)newValue).addDocumentListener(this);
          updateCachedMetrics();
          viewChanged(0, true);
         * Text was inserted into the document.
        public void insertUpdate(DocumentEvent evt)
          update(evt);
         * Text was removed from the document.
        public void removeUpdate(DocumentEvent evt)
          update(evt);
         * Text attributes were changed.  In a source-code editor based on
         * StyledDocument, attribute changes should be applied automatically
         * in response to inserts and removals.  Since we're already
         * listening for those, this method should be redundant, but YMMV.
        public void changedUpdate(DocumentEvent evt)
    //      update(evt);
         * If the edit was confined to a single line, invalidate that
         * line's height.  Otherwise, invalidate them all.
        private void update(DocumentEvent evt)
          Element map = text.getDocument().getDefaultRootElement();
          int line = map.getElementIndex(evt.getOffset());
          DocumentEvent.ElementChange ec = evt.getChange(map);
          viewChanged(line, ec != null);
    }

  • Print Y axis Name in Legend

    Hi,
    we have a report that we use to print multiple result on multiple Y-AXIS. The problem is that in the legend, we only see the name of the channel, but not the name of the Y-AXIS that is associated with it.
    Is there a way we can print in the legend the channel name and the Y-AXIS number that the channel is associated too ?
    Thanks

    Hello Crusader,
    DIAdem 2011 (available this summer) adds a new function that allows to create more elaborate axis labels.
    I have attached two images for you that show the new CurveSnippet function of DIAdem 2011:
    If you think this function might be useful to you, please check out the DIAdem BETA version 2011 here (requires sign up):
    http://www.ni.com/beta
    Let us know if that helps,
          Otmar
    Otmar D. Foehner
    Business Development Manager
    DIAdem and Test Data Management
    National Instruments
    Austin, TX - USA
    "For an optimist the glass is half full, for a pessimist it's half empty, and for an engineer is twice bigger than necessary."

  • How to count number of members on specific level at specific moment?

    ASO
    4 dims(for example)...
    -Times
    -Product
    -Organizations
    -org1
    -org2
    -orgN
    -Measures
    -cost
    -org_num
    I want to identify the count of memebers in Dimension Organizations at any time(f.e. for all Products in January in) . What is the syntax of mdx formula in outline?

    Here is an example that i've right now
    Count (EXCEPT([Dimension1].Levels(0).members,Descendants([Parent 1],Levels([Dimension1],0))))
    This will give all the level 0 members of dimensions except level 0 of a parent.
    I'm assuming that by specific moment you mean a specific measure.
    NonEmptyCount (Market.Levels(0).Members, Sales,exclude_missing)
    With
    Member [Measures].[Number Of Markets]
    as 'NonEmptyCount (Market.Levels(0).Members, Sales,exclude_missing)'
    Select
    {[Measures].[Number Of Markets]} on Columns,
    {[100].Children, [200].Children} on Rows
    FROM Sample.Basic
    where ([jan],[actual])This will give you
    (axis)     Number of Markets
    100-10     20
    100-20     16
    100-30     8
    200-10     20
    200-20     17
    200-30     9
    200-40     3
    Now if you clear one market (I cleared colorado->100-10,Sales,Actual,Jan) and then the result will change to
    (axis)     Number of Markets
    100-10     19
    100-20     16
    100-30     8
    200-10     20
    200-20     17
    200-30     9
    200-40     3
    Regards
    Celvin
    http://www.orahyplabs.com

  • How to use bullet number characters in a list?

    As you can see in the screenshot above, I'm using bullet characters (from Wingdings) to create a numbered list. It may look fine; however, inserting these characters manually can't be the most efficient way to pull this off. The character after the fourth bullet is an “indent to here” character.
    Can this style of bullets be automated using a real bulleted list in InDesign?

    Geert DD wrote:
    Okay, I found one: Fyra. This works fine for lists up to nine bullets.
    On MyFonts.com I found more similar fonts, and they're set up like this:
    The numbers 1-0 reside on the standard keys. Two digit numbers 01-99 can
    be composed out of left and right half circles by using (lowercase)
    ‘abcdefghij’ for the first digit (left half circle) and ‘lmnopqrstu’ for
    the second digit (right half circle). The critical pairs (all combinations with 1) can be found in various
    places. Type ‘!’ for 10, ‘#’ for 11, '$‘ 12, ’%‘ for 13, ’&‘ for 14,
    ’(‘ for 15, ’)‘ for 16, ’*‘ for 17, ’+‘ for 18, ’,‘ for 19, ’-‘ for 21,
    ’.‘ for 31, ’/‘ for 41, ’:‘ for 51, ’;‘ for 61, ’?' for 81, ‘_’ for 91.
    For manual insertion, that works fine. It seems impossible to automate, though.
    However you achieve the result manually, I don't think that lists will number automatically, because these are graphics, not true numbers.
    A Google search for "circled number fonts" without quotes returned a lot of links, but none seems to have great confidence. Perhaps other search terms will find the magic "bullet" you are looking for.
    You can ease the pain a bit by creating a set of the numbers you need and storing them in an InDesign library or simply a standard InDesign file, then copy and paste when you need them.
    HTH
    Regards,
    Peter
    Peter Gold
    KnowHow ProServices

  • (none) style gets applied to numbered list & font size not matching text in my style sheet

    RoboHelp 9 (9.0.2.271)
    Something is wrong with my style sheet, and it only started happening after I created Master Page for the first time. This happens whether or not the new Master Page is applied to a topic:  Every time I type any text in a topic, then click the Numbered List icon in the toolbar, the style goes from Normal to (none), and the font changes from my style sheet's Normal 10pt to 8pt, for the number as well as the text.
    I don't see how the new Master Page has anything to do with it because it's not applied to this particular topic.  I had created a Master Page in RoboHelp HTML and applied my style sheet, then my topics to it. I have a footer in the Master Page and applied 8pt font using inline formatting (not the style sheet).
    I created a new project to see what would happen. 
    When I apply my style sheet, then apply the numbered list to text, the text font is correct (10pt), but the number font is wrong (8pt).
    But when I apply the default style sheet to the topic, the number font and text font match.
    How can I get the number and text fonts to match in my style sheet?
    I found a workaround by applying inline formatting to the next (10pt) after selecting the text and clicking the numbered list icon.  Below is the html code.  The numbered steps in red are the ones that are not correct (8 pt).  The code with the correct formatting (after I applied inline formatting) is in blue.
    <body>
    <h1>My Overview</h1>
    <p>example</p>
    <ol type="1">
    <li>first step</li>
    <li>second step</li>
    </ol>
    <ol type="1">
    <li style="font-size: 10pt;">Fixed by applying inline formatting to
      10pt after selecting the numbered list icon</li>
    <li style="font-size: 10pt;">next step</li>
    </ol>
    <p>&#160;</p>
    <?rh-placeholder type="footer" ?>
    </body>
    Thanks.
    Gina
    Message was edited by: ginafromtampa

    Amebr,
    That was helpful.  I'm looking at a topic now, and both the Apply Style list on the Formatting toolbar show (none) when I click a numbered list that I created using the Created a Numbered List or Create a Bulleted List on the toolbar. 
    This is the html code for the correct font (10pt):
    <ol>
    <li class="p">this is the (none) style when I use the numbering button
      on the toolbar (which is inline formatting)</li>
    <li class="p">this is the (none) style when I use the numbering button
      on the toolbar&#160;(which is inline formatting)</li>
    <li class="p">this is the (none) style when I use the numbering button
      on the toolbar&#160;(which is inline formatting)</li>
    </ol>
    Both styles list show the correct custom styles I created for numbered lists, though.  Below is the code (correct font):
    <ol>
    <li class="p-ProcedureSteps"><p class="ProcedureSteps">this is from
      my custom numbered style and looks correct</p></li>
    </ol>
    What's strange is, if I create a list and highlight it, then click the Apply Numbered List button in the toolbar, the numbers and text font size changes to 8 point and my Normal font is 10 pt, and both style lists show (none).  That's what I wanted to figure out in my original post.  I opened up the stylesheet and I don't see where that's applied.  In Flare, you can easily see in a table how the styles are formatted, down to each class.
    This is the code for the incorrect font (8pt):
    <ol type="1">
    <li>why is this 8pt?</li>
    <li>why is this 8pt?</li>
    <li>why is this 8pt?</li>
    </ol>
    Below is a screenshot.
    Maybe someone can figure this out. Thanks!
    Gina

  • How to deal with new Font script ?

    Hi,
    Can somebody explain me how the new JavaFX Font script works ?
    i.e. in preview SDK I wrote :
    var font:Font = Font { style:FontStyle.BOLD }
    which means : use the "default" font, with BOLD style, and default size.
    As the Font "style" attribute disappeared (why ???), what must I use in JavaFX 1.0 ?
    Thanks
    Bernard

    Hi,
    You can set bold text using this constructor of Font:
    public font(family: java.lang.String, weight: FontWeight, posture: FontPosture, size: Number) : Font ( [http://java.sun.com/javafx/1/docs/api/javafx.scene.text/javafx.scene.text.Font.html|http://java.sun.com/javafx/1/docs/api/javafx.scene.text/javafx.scene.text.Font.html] )
    example:
    Text
         font: Font.font("Verdana", FontWeight.BOLD, FontPosture.REGULAR , 24);
         content: "HelloWorld";
    }or as a variable:
    var font:Font = Font.font("Verdana", FontWeight.BOLD, FontPosture.REGULAR , 24);

  • Show multiple embedded fonts into an html textfield

    Hi to everyone,
    I'm using Flash CS5 , Actionscript 3.0 and export fo Flash Plaer 10.
    I create a class, myHtmlText.as, that builds a basic TextField.
    I create an empty file myHtmlText.fla
    I embedded two fonts inside the myHtmlText.fla: "Ghotam Light" and "Ghotam Book"; I selected all characters for each font and exported for actionscript with the following linkage name: "GhotamBook" and "GhotamLight"
    I wish to use the fonts embedded, in the TextField using htmlText, like this:
    var tf:TextField = createTextField(10, 10, 400, 22);
         tf.htmlText = '<p><font face="GhotamBook">Lorem ipsum dolor sit amet.</font></p>';
         //tf.embedFonts = true;
    where createTextField function is:
    private function createTextField(x:Number, y:Number, width:Number, height:Number):TextField
         var result:TextField = new TextField();
         result.x = x;
          result.y = y;
         result.width = width;
          result.height = height;
         addChild(result);
          return result;
    but it does not work; the text is not displayed; If I use .text instead fo .htmlText, the latin text is displayed with a system font.
    How can I do?

    GhotamLight and GhotamBook should be class names and you'll need to import the needed classes to use:
    var tf:TextField = createTextField(10, 10, 400, 22,"GotamBook");
         tf.htmlText = '<p>Lorem ipsum dolor sit amet.</p>';
    private function createTextField(x:Number, y:Number, width:Number, height:Number, fontS:String):TextField
         var result:TextField = new TextField();
         result.x = x;
          result.y = y;
         result.width = width;
          result.height = height;
         addChild(result);
    var ClassRef:Class=Class(getDefinitionByName(fontS));
    var font:Font = new ClassRef();
    var tfor:TextFormat=new TextFormat();
    tfor.font=font.fontName;
    result.embedFonts=true;
    result.defaultFormat=tfor;
          return result;

  • Dynamically scaling of diagram axis

    hello experts,
    I have bookings on an ODS with each booking recording the number of days between date of booking and date of departure (e.g. 78 days or 5 days).
    Now I want to display a diagram with
    y-axis = number of bookings and
    x-axis = days between date of booking and date of departure descending from left to right dynamically scaled according to data values e.g.:
    100 | 75 | 50 | 25 | 0 days or
    25 | 20 | 15 | 10 | 5 | 0 days or
    500 | 400 | 300 | 200 | 100 | 0 days
    Any suggestions?
    Thanx
    Axel

    Hi Alex,
    Have you tried display "Values in reverse order" on Bex Chart?
    It is in Format Axis> Scale Tab
    Jaya

  • Size of Navigation Fonts

    Can anyone identify what code will allow changing the size of the generated fonts?
    Page number fonts and the arrows automatically generated with photo album pages are too small and gray?
    When users click on a picture to enlarge it, the description text doesn't get larger, and is almost painful to read?
    The NAV Bar fonts are tiny and grayed out. Any way to change these things?
    Thanks

    I've not found any of the files that are created with a site that will let the navbar be changed as far as font or size. There's a java script file that is for the nav bar but nothing in it that's obviously related to font type of size. It's all java scripted.
    You can always hid the iWeb navbar and create your own text navbar. It's a lot more work but can be done. You can pick any font or color you want. This test page shows different ways to use text boxes as links, i.e. either the text itself or the box that contains it.
    OT

  • Using CSS to change line chart tick mark font

    I apologize if this has been covered elsewhere, but I can't find any reference to help with this.
    I have create a dark-background theme for my CSS and have run into a bit of a blind spot with the CSS. My chart has a dark background, and I can find no way to change the color of the font on the tick marks. I have resorted for now to setting the individual axis objects setTickLabelFill for now, but it would be nice to be able to set this in CSS.
    With this, I can change the font size of the axis labels and tick marks, but the font name and color are ignored for the tick marks:
    .axis {
    -fx-font: 14px "Palatino Linotype";
    -fx-text-fill: white;
    Thank you for your help.
    - Jim
    Edited by: 871682 on Aug 2, 2011 11:47 AM

    That did work in 1.3, and I hoped it made it into 2.0, but that setting didn't help.
    Setting the -fx-text-fill in -axix-tick-mark .label doesn't work either, or any variation I tried.

  • How can I turn off fonts

    I've disabled fonts in fontbook and various othe rfont management programs but nothing seems to disable them as far as InDesign is concerned. My font menu is still full of garbage fonts that I"ll never use and never wanted. How can I get rid of them? This happens on InDesign CS4 and on CS6 in all applications. I'm using an iMac with OS 10.7.5

    Remove fonts manually from these two locations:
    <home> > Library > Fonts (In recent OSX versions hold down the Option key and choose Go > Library to get to the Library folder.)
    Library > Fonts
    Also remove from Applications > Adobe InDesign [version number] > Fonts if you've placed any there.

  • Fonts in lists

    Hi,
    In a "harvard" list (or any list) I need to change the font of the first word of a paragraph. But I don't want to change the font or size of the numbers in the list. The behavior now is that the numbers follows the font parameters applied to the first word.
    I tested this in ms office, and there it kept the number font, while letting me change the first word font...
    the only workaround I have found is to insert a space as the first letter in the paragraph, and set this space to have -40% of letter spacing so it is almost invisible.
    but it's not a real solution and quite annoying to do...
    any suggestions?
    sincerely
    joakim

    Herte is a clean an neat workaround.
    --[SCRIPT insert_ NOBREAK_SPACE_ZEROWIDTH]
    Enregistrer le script en tant que Script : insert_ NOBREAK_SPACE_ZEROWIDTH.scpt
    déplacer le fichier ainsi créé dans le dossier
    <VolumeDeDémarrage>:Users:<votreCompte>:Library:Scripts:Applications:Pages:
    Il vous faudra peut-être créer le dossier Pages et peut-être même le dossier Applications.
    Sélectionner le premier caractère d'un élément de liste.
    Aller au menu Scripts , choisir Pages puis choisir insert_ NOBREAK_SPACE_ZEROWIDTH.
    Le script insèrera un caractère $FEFF devant le caractère sélectionné.
    Cela permettra d'éviter d'appliquer une police de caractère sans impacter le numéro.
    --=====
    L'aide du Finder explique:
    L'Utilitaire AppleScript permet d'activer le Menu des scripts :
    Ouvrez l'Utilitaire AppleScript situé dans le dossier Applications/AppleScript.
    Cochez la case "Afficher le menu des scripts dans la barre de menus".
    Sous 10.6.x,
    aller dans le panneau "Général" du dialogue Préférences de l'Éditeur Applescript
    puis cocher la case "Afficher le menu des scripts dans la barre des menus".
    --=====
    Save the script as a Script: insert_ NOBREAK_SPACE_ZEROWIDTH.scpt
    Move the newly created file into the folder:
    <startup Volume>:Users:<yourAccount>:Library:Scripts:Applications:Pages:
    Maybe you would have to create the folder Pages and even the folder Applications by yourself.
    Select the first character of a list item.
    Go to the Scripts Menu, choose Pages, then choose "insert_ NOBREAK_SPACE_ZEROWIDTH"
    The script will insert the character $FEFF in front of the selected character.
    This will protect the item number from font change.
    --=====
    The Finder's Help explains:
    To make the Script menu appear:
    Open the AppleScript utility located in Applications/AppleScript.
    Select the "Show Script Menu in menu bar" checkbox.
    Under 10.6.x,
    go to the General panel of AppleScript Editor’s Preferences dialog box
    and check the “Show Script menu in menu bar” option.
    --=====
    Yvan KOENIG (VALLAURIS, France)
    2011/03/01
    --=====
    on run
    tell application "Pages" to tell document 1
    set maybe to contents of the selection
    set selection to (character id 65279 & maybe)
    end tell
    end run
    --=====
    --[/SCRIPT]
    Yvan KOENIG (VALLAURIS, France) mardi 1 mars 2011 19:20:47

Maybe you are looking for

  • Error in calling RESTful (Biztalk) service , in Browser

    Hello all, I have Orchestation which have one Two way port with Two Operation in it one for GetCandidate Details and One for Insert_Candidate, Also have deployed this Orchestration and using WCF-WebHttp (Working with REST) adapter at ReceiveLocation

  • Why can't I get secure mailing lists to work in IMS 5.1

    I am having problems getting secure mailing lists to work at all. I have been battling with iPlanet support and have gotten no where. Evan though a local user or a remote email user is listed as allowed senders in the IDA, it still will not let eithe

  • Extract data into the Oracle Database

    Hello, I have file in PDF format. I need to extract data into the Oracle Database. what should be my action ? And how could I accomplish? thanks DN

  • Using Skype in China.

    My father is going to be making a trip to China soon and we're trying to figure out if Skype would be a way for him to call back home. If anyone has any insight into the situation I would appreaciate any tips or advice on what he would need to purcha

  • Help for beloved MacbookPro (LATE 2008 model - (slow) with 10.8.4  OS 4g memory

    Hi My am using a 2008 MBP which appears to have difficuoly in loading programs,  Or even at log in!   Please advise.  BTW I ave removed old binary files etc with no difference noted.  That Beach ball is driving me mad. Can amyone suggest a reason for