Help with printing out Speakable Items folder(s)

I have a visually impaired family member who would like to learn how to use spoken commands on her iMac. 
I have not been able to find a way to print out the "Speakable Items" folder(s) in order for us to let her know what exactly she can say; it is not at all feasible for her to read it from the screen.
It's very, very frustrating for everyone to have the Speakable Items feature available, and not be able to use it properly!

Thanks Niel! 
Having it printed out in the way you suggested helped me.  To make the text large enough for the person with visual impairment to "see", I also resorted to actually typing them out in Pages and making it about 72pt;  I had to print it out so that they can hold the paper right up to their face. 

Similar Messages

  • Help with printing out the # of quarters, nickels, dimes, and etc... using

    Hi, im new to java and im using a program called blue j.
    anyway heres my question.
    , I recommend you dont do the program for me, but rather help gear me in the right direction of things.
    In this program they want me to have it print out the # of dollars,quarters,nickels,dimes, and pennies.
    They have provided me with a base program to start off with which is this.
    import chn.util.*;
    public class ComputeChange
       *  The main program for the Change class
       * @param  args  The command line arguments - not used
      public static void main(String[] args)
        double purchase, cashPaid, temp;
        int change, remainder, dollars, quarters, dimes, nickels, pennies;
        ConsoleIO keyboard = new ConsoleIO();
        System.out.print("Enter amount of purchase --> ");
        purchase = keyboard.readDouble();
        System.out.print("Enter amount of cash paid --> ");
        cashPaid = keyboard.readDouble();
        temp = cashPaid - purchase;
        dollars = (int) temp;
        temp = temp - (int)temp + 0.0000001;
        change = (int)(temp * 100);
        System.out.println();
        System.out.println("$" + dollars + "." + change);
    }Ive been given the amounts 23.06 for amount of purchase
    and 30.00 for the amount paid. that should give me the difference of $6.94
    It should print out the amount of change as the following
    6 dollars
    3 quarters
    1 dime
    1 nickel
    1 penny.
    IVe tried a few methods for printing out the # of each coin type, but i simply dont get how they are using temp or what type of funciton i need to follow. Any hints or pointings in the right direction would help. Since i need to learn this.
    Thanks a lot and i hope i can get some tips. !
    ~Jbinks

    And here's my contribution to the scratch batch... :o)
    class Coins {
        private java.util.Map<Coin, Integer> count = new java.util.HashMap<Coin, Integer>();
        enum Coin {
            DOLLAR(100), QUARTER(25), DIME(10), NICKEL(5), PENNY(1);
            private final int value;   
            Coin(int value) { this.value = value; }
            public int value() { return value; }
        public Coins(int centsValue) {
            for (Coin c : Coin.values()) {
                count.put(c, centsValue / c.value());
                centsValue %= c.value();
        public void display() {
            for (Coin c : Coin.values()) {
                System.out.println(c + ": " + count.get(c));
    public class CoinsDemo {
        private static java.util.Scanner keyboard = new java.util.Scanner(System.in);
        public static void main(String[] args) {
            int price = getPennies("Enter amount of purchase --> ");
            int paid = getPennies("Enter amount of cash paid --> ");
            new Coins(price - paid).display();
        private static int getPennies(String prompt) {
            System.out.print(prompt);
            double d = keyboard.nextDouble();
            System.out.println();
            return (int)(d * 100);
    }

  • Help with print out of object

    I have a tutorial class that sets two Rational objects....generates a fraction for them and prints them out., but its only printing out the same object twice.
    Why is it not printing out the instance variables for both objects and how do I fix this?
    Tutorial class
    import java.util.Random;
    import java.util.Scanner;
    public class Tutorial {
      public static void main(String[] args) {
        Random randNumGen = new Random();
        Scanner scan = new Scanner(System.in);
        //Generate random fractions
        Rational fraction1, fraction2;
        fraction1 = new Rational(randNumGen.nextInt(101), randNumGen.nextInt(101));
        fraction2 = new Rational(randNumGen.nextInt(101), randNumGen.nextInt(101));
        //Prompt user for the sum of the 2 fractions
        System.out.print("Enter the sum of " + fraction1 + " + " + fraction2 +
            " = ");
        Rational guessFractionSum = Rational.readRational(scan);
        //Start the tutorial
        StartTutorial.displayASession(fraction1,fraction2,guessFractionSum);
        //Generate random rectangles
    //    RectangleOperand rect1, rect2;
    //    rect1 = new RectangleOperand(randNumGen.nextInt(101),randNumGen.nextInt(101));
    //   rect2 = new RectangleOperand(randNumGen.nextInt(101),randNumGen.nextInt(101));
        //Prompt the user for the sum of the rectangles
    //   System.out.print("Enter the sum of " + rect1 + " + " + rect2 +
      //                   " = [x=0.0,y=0.0,w=");
    //   RectangleOperand guessRect = RectangleOperand.readRectangle(scan);
        //Start the tutorial
    //    StartTutorial.displayASession(rect1,rect2,guessRect);
    }Rational Class
    import java.util.*;
    public class Rational implements Addable<Rational> {
      private static int numerator, denominator, gcdNum, count = 0;
       * Default constructor
      public Rational() {
       * Accepts the numerator and denominator
       * @param n int
       * @param d int
      public Rational(int n, int d) {
        numerator = n;
        denominator = d;
        if (denominator == 0)
          denominator = 1;
        gcdNum = gcd(numerator, denominator);
        numerator = numerator / gcdNum;
        denominator = denominator / gcdNum;
       * Adds the two random generated fractions
       * @param opnd2 Rational
       * @return Rational
      public Rational plus(Rational opnd2) { //from Addable interface
        int numerator1, denominator1, gcd, n, d;
        numerator1 = (this.numerator * opnd2.denominator) +
            (this.denominator * opnd2.numerator);
        denominator1 = this.denominator * opnd2.denominator;
        gcd = gcd(numerator1, denominator);
        n = numerator1 / gcd;
        d = denominator1 / gcd;
        Rational rationalPlus = new Rational(n, d);
        return rationalPlus;
       * Checks the sum of two random fractions with the user guess
       * @param opnd2 Rational
       * @return boolean
      public boolean equalTo(Rational opnd2) { //from Addable interface
        boolean isEqual;
        if (this.numerator == opnd2.numerator &&
            this.denominator == opnd2.denominator) {
          isEqual = true;
        else
          isEqual = false;
        return isEqual;
       * Reads in the guess from the user
       * @param scan Scanner
       * @return Rational
      public static Rational readRational(Scanner scan) {
        int fraction;
        fraction = scan.nextInt();
        String fractionS = String.valueOf(fraction);
        String[] fractionA = fractionS.split("/");
        numerator = Integer.parseInt(fractionA[0]);
        denominator = Integer.parseInt(fractionA[1]);
        Rational rationalScan;
        return rationalScan = new Rational(numerator, denominator);
       * Finds the greatest common factor from the random fractions
       * @param num1 int
       * @param num2 int
       * @return int
      private int gcd(int num1, int num2) {
        while (num1 != num2)
          if (num1 > num2)
            num1 = num1 - num2;
          else
            num2 = num2 - num1;
        return num1;
       * toString
       * @return String
      public String toString() {
        String text;
        text = numerator + "/" + denominator;
        return text;
    }

    numerator and denominator are static, meaning there's only one instance of it that's shared across all objects of that type. So each Rational you create is sharing the same variable.

  • Help with printing out colored text.

    Basically i just have a String, that i want to print to the screen,
    using System.out.println();
    But i want to give it a RGB value.
    Can anyone tell me the simplest way to do this?

    Can't do that in Java. You can use ANSI codes to control the presentation of the cmd window.
    Search the web for "ANSI control codes"

  • Vendor payment with print out

    Hi,
    I am not able to make payment to the vendor through vendor payment with print out option as system is insisting me to input payment method, where as I have already given payment method "C" which is configured for that company code and country.
    Please suggest me why system is not allowing me to process the payment under this option.
    Thanks
    Ramesh.

    Hello
    I think you need to check all the configuration settings done for APP
    The list is in the link below
    http://help.sap.com/saphelp_erp2005vp/helpdata/en/01/a9c079455711d182b40000e829fbfe/frameset.htm
    Reg
    *assign points if useful

  • Help with Print Layout Designer

    Hi all,
    I'm not sure if I should post this here or not, I already posted it in the Business One Forum.  Moderator(s)  if this is not the proper place please delete it and let me know that it is not the appropriate venue.
    I need some help with Print Layout Designer.  I am running 2005A SP01, and my customer wants a modification to the Sales Backorder Report.  They want to add the column "In Stock" to both the report as displayed on the screen and the printed document.  The report rendered to the screen has the In Stock, but it is not checked as visible.  I check it and In Stock shows up as designed.  The part I am having problems with is the printed document. I opened the PLD from the Backorder Report, and saved it under a different name.  I resized some of the columns in the repetitive area (header and data) to make room for the In Stock column.  I CAN add the text field Instock as free text and enter "In Stock" as the content.  I looked at the "backorder" column in the PLD, and it is a text field with the source System Variable and the variable is 109.  I would assume that all I need to do in my added column is to set the source to System Variable and enter the variable number.  That is the problem; I can't find the variable number for that column.  I looked on the report rendered to the screen with system information on and the variable is "3 #000027825,OnHand".  I looked at the Back Order column of the report rendered to the screen and the variable is "3 #000028725,OpenCreQty".  I found a spreadsheet that is supposed to contain a list of system variables for 2007A, but the document type for this report is BRDR and that document type does not appear in the list of document types in that spreadsheet.  I looked for a similar spreadsheet for 2005A SP01 but didn't find one.  I DID find a document "How To Customize Printing Templates with the Print Layout Designer".  According to that document, I should be able to get the system variable from the report rendered to the screen with System Information turned on.  Can anyone help?
    TIA,
    Steve

    I haven't dealt with this before so I can't be certain, but here are my thoughts.
    The Backordered Qty is probably a calculated field, so that's why it's a system variable. The In Stock is a defined field, so you probably can use the file and field number, OITM, OnHand. I would look at maybe the stock number or description to see how those are setup on the form instead of the backordered qty field.

  • I need help with printing labels.  please

    I need help with printing labels.  thanks in advance

    Welcome to Apple Support Communities.
    In Address Book, first select a name or group of names to print.
    Then File, Print, select Style, Mailing Labels, then Layout to select a specific target label (such as an Avery number), or define your own...

  • Help with printing Ebay postage labels

    Hi. I always use Firefox to print ebay postage labels. Recently when I print labels firefox seems to miss out labels and just prints blank pages in there place. Does anyone know a fix for this. I have checked and Firefox is up to date and Adobe is set for my Portable Document Folder. I am literally tearing my hair out as I need to use chrome and then adjust margins but still each label seems to move up or down slightly to the point where half a label will appear on the next page. Firefox was fine up until recently. Thanks

    After months of no answers I bought an iPad and started trying to print postage from it from eBay. I had to use browser instead of eBay app, I had to get an app for my printer, I had to click PRINT POSTAGE on item sold and then touch image of the postage on screen and SAVE IMAGE to photos. I then rotated it since I use labels and then open printer app and select 5x7 and the photo of postage image and CLICK PRINT or send to printer.
    This worked for me using new iPad 2 I bought so am sure it will work on my iPhone
    Note: I had to use iPhone app on iPad since I like that version better for my printer.
    If no app exists for your printer I am at a loss to help, I will be buying an air printer instead of my wifi one soon.
    If this helps in anyway or makes someone explore a method that works I will be glad and please share your methods so we all do not boot up gaming rigs just to send packages lol. Hope it helps

  • Help with printing text to Text Edit

    -- Here is a applescript that generates prime numbers up to a certain number. I tried to get the script to print out every number up to the number defined in a text edit document. I got a -1700 error that says (error "Can’t make result of 3 into type Unicode text." number -1700 from result of 3 to Unicode text). If anyone has any help that they can offer me it will be greatly appreciated.
    Heres the Script
    local min, max, neverZero, maxDiv, divTry, res
    set {min, max} to {1, 503}
    set res to {}
    if min = 1 then set min to 2
    if min = 2 then set {res, min} to {{2}, 3}
    if min mod 2 = 0 then set min to min + 1
    repeat until min > max
        set maxDiv to intsqrt(min)
        set {neverZero, divTry} to {true, 3}
        repeat until divTry > maxDiv
            if min mod divTry = 0 then
                set neverZero to false
                exit repeat
            end if
            set divTry to divTry + 2
        end repeat
        if neverZero then
            set res to res & min
            log min
            set resultinfo to "" & result of min
            tell application "TextEdit"
                activate
                set nme_file to ""
                set the_file to (open for access nme_file with write permission)
                write "" & resultinfo to the_file
                write return & resultinfo to the_file starting at eof
                close access the file
            end tell
        end if
        set min to min + 2
    end repeat
    on intsqrt(N)
        return (do shell script "echo 'sqrt (" & N & " )' | /usr/bin/bc")
    end intsqrt

    You're confusing two different steps.  If you want to write the data to an open textedit window, you build a text string of the integers and then write it out to the window like this:
    tell application "TextEdit"
              set text of document 1 to text_string
    end tell
    After that you'll have to save the document.  On the other hand, if you want to write directly to the file on disk, don't use a textedit tell block - just write to the file at the script level (i.e. your code looks correct, but shouldn't be in a tell block).  then you'll have to convince the open textedit window to refresh (which might be a bit tricky).

  • Print out of item line in sales order

    Dear all,
    I hope someone can help me.
    In a sales order, if I open the menu
      Extras-->Output
    I can choose between Header and Item.
    Where are the differences here.
    Is it possible to print out only a highlighted item line by using
      Extras>Output>Item-->Edit?
    Thank you very much in advance.
    Andreas

    This is not possible in the standard system.
    One possible way could be to create a custom header output program (ex. one copied from BA00 outut) that reads in some way the checked items, or you can set some item field (ex. Additional data tile fields) and the read this field in the header output.
    Hope this can help you.
    regards
    Roberto Mazzali

  • Need help with Printer Setup conventions

    I can't get my Brother printer to print from one computer--but it prints okay from the other computer on my network. I need to know the conventions for the Printer Setup Utility.
    There's a checkbox by every printer on the list. What does it mean when the checkbox is grayed out?
    Some printer names appear in bold. What does that mean?
    Thanx.

    Thank you for your reply. I appreciate your help in this and just want to understand what you're saying.
    As I say, the printer is displayed in the print dialog box but the checkbox is grayed out. I'm assuming that when you say "...it can't find/see them now," you mean the print dialogue can't see them (the drivers). Your last sentence confuses me. You say, "Do you maybe have Printer Sharing enabled & they aren't actually directly connected? If so you have to reboot after turning it off." A little confusion about your antecedents here. What isn't actually connected? The printer? So I have to reboot after turning it off, "it" I suppose is the printer, is that right? I will try that. So turn printer off, reboot, turn printer on. Right?
    I will describe my problem. l thought that if I understood why the checkbox was grayed out I might see what my problem was. If you want me to start another topic I can do that.
    Problem: I have a network with 2 computers and the Brother
    multifunction fax/printer. I'm using an Apple airport hub. The printer
    and one computer (Mac tower) are connected to the airport base via
    ethernet. The 2nd computer (Apple laptop) is on the wireless network.
    Until recently i could print from both computers. Now I can't print from
    the tower. But I can still print from the laptop.
    When I try to print from the tower I get an error message that says, "Cannot print from current printer." I have rebooted, reinstalled printer drivers, checked cables, deleted printer from printer list and re-added printer all to no avail. But as I say, I can still print from the laptop which is using Airport. So the printer prints, the hub connects to the printer okay (ethernet) and I know the tower connects to the hub (I can ping the printer okay from the tower.)
    I am conversing to Brother support via email and their first suggestions I have already tried. Perhaps there's some problem in the network, but I can't figure it out. Worse yet, now when I go to the Network preferences I get an error message which says, "Your network settings have been changed by another application." THIS ERROR MESSAGE WON'T GO AWAY! I can click 'okay' but it reappears. I have to force quit the System Preferences to get out. If you can help with any of these problems I surely appreciate it.

  • Help with printing from an array

    hello there, looking for help. Basically i have read a text file into an array. I can print a sentence from the array using startsWith()...if i take that code out, and just put in the last part:
    while(!(words.trim()).startsWith("slightly")) {
         System.out.println(i + ":" + words[i] + ":");
         i++;
    this basically prints out the whole text file until it reaches the word slightly. I want to print out text that is in between two words. Now i can stop printing with this , any suggestions on how i can tell it to start printing when it finds a word....
    public static void main( String[] args )
         int i = 0;
    // will store the words read from the file
    List<String> wordList = new ArrayList<String>();
    BufferedReader br = null;
    try
    // attempt to open the words file
    br = new BufferedReader( new FileReader( "ireland.txt" ) );
    String word;
    while( ( word = br.readLine() ) != null )
    // add the read word to the wordList
    wordList.add( word );
    } catch( IOException e ) {
    e.printStackTrace();
    } finally {
    try {
    // attempt the close the file
    br.close();
    catch( IOException ex ) {
    ex.printStackTrace();
    String[] words = new String[ wordList.size() ];
    // wordList to our string array words
    wordList.toArray( words );
    System.out.println(" Returning line ");
    // loop and display each word from the words array
    /*while(i < words.length )
         String tempWord = words[i].trim();
         //area
         if (tempWord.startsWith("'''Loc"))
              System.out.println(i+":"+ words[i]+":" );     
         i++;
    /*while(!(words[i].trim()).startsWith("slightly")) {
         System.out.println(i + ":" + words[i] + ":");
         i++;

    This may help, it looks like the same assignment:
    http://forum.java.sun.com/thread.jspa?threadID=5144211
    Yeah, and it's from the same guy.
    Thanks (NOT) for posting yet another thread about the
    same problem, tras.D'OH! I didn't even notice that. In what ways were the answers you got in the other thread insufficient?

  • Question #2, following my first: I've now upgraded to Firefox 5.0, but it hasn't helped with printing email.

    Despite warnings that downloading 5.0 might do irreparable harm to my Dell laptop, I took the plunge. (A side question on how to double check which version my laptop now has....) That may have helped me to be able to print some downloads obtained from email on Firefox, but I still can't seem to print the emails themselves, even if I save them and then try to print out the download from opening them. To repeat: Dell Inspiron 1545, Windows 7, HP all-in-one wireless printer. Hope I'm expressing all this correctly.

    A possible cause is a problem with the file places.sqlite that stores the bookmarks and the history.
    *http://kb.mozillazine.org/Bookmarks_history_and_toolbar_buttons_not_working_-_Firefox
    *https://support.mozilla.org/kb/Bookmarks+not+saved#w_fix-the-bookmarks-file

  • Need some help with printing Templates

    Hi All,
         So I was hoping for a bit of help. I am currently doing all illustrator work for my new job. I have not been on the program in a long time and the version I am using is CS4. I have been creating brochures and flyers all A4 size and i have hit a bump in the road. I need a 6pp A4 Z folded (Inside) and 6pp A4 Z folded (outside) template. I Have been using the A3 folded to A4 guides to great affect for a two page brochure. But i cannot for the life of me find a template guides for 6pp A4 brochure.
    This was the best i could do, its a pdf but I prefer working with the guides. I have just been downloading the previous templates from commercial printing websites. I found one that was right but not compatible with CS4.
    Any help with finding one or any ideas on a path to take would be greatly appreciated.

    Why don't you just setup the file you need?
    Create your guidelines and there you go.

  • Please help with printing issues...

    I used the "Real estate" template for newsletters in Pages '08, and the newsletter looks great, but when I print it out, the top box, the "real estate" box, prints just a blue box...not at all what I am looking at on the screen, everything else is great, and even when I click on preview after print, it looks great, but does not print out the right box...I even printed just the pages template, wondering if I had edited something wrong, but even the pages template does not print the top box as shown...I have also had a difficult time printing out coupons with bar codes on them...I know it is not the printer, as it is shared with a pc, and the coupon and pdf file print fine thru the pc...what am I doing, or is there a setting I have missed?? Thanks so much.

    If its a problem printing from program AND Preview, that might imply a system problem, not a program issue. You said it was one of the template files.
    Send me an email this weekend (so I can get your email without posting it up here). I will produce a pdf from my machine of the same template and email it back to you. See if that one prints correctly.
    If it does, then we eliminated Preview or the printing subsystem as the problem, it is with Pages producing the pdf.
    If it still prints bad, then its a system issue.
    I see you have printed over and over with different methods, but I don't think I saw if you exported as a pdf and printed that. have you?
    Get in touch and we can try it to help narrow down your search of where the problem resides,
    Jason

Maybe you are looking for