I'm having trouble writing a polynomial code.

I'm having trouble with a polynomial code I'm supposed to conjour it. It's simply a code that adds, subtracts, and multiplies polynomials. However, there are a few methods I do not know how to come up with (I left them blank), and when I test the code write now, it doesn't work. Here's the code -- can anyone help?
public class Polynomial implements Cloneable {
     private int m_degree;
     private double[] m_coefficient;
     // This is the default constructor
     public Polynomial() {
          super();
          m_degree = 0;
          m_coefficient = new double[5];
     // This allows the user to build a polynomial by putting a constant in
     public Polynomial(double constant) {
          this();
          m_coefficient[0] = constant;
     public Polynomial(Polynomial source) {
     // These are the getters
     public double getCoefficient(int degree) {
          return m_coefficient[degree];
     public int getDegree() {
          return m_degree;
     // These are the setters
     public void addToCoefficient(double amount, int degree) {
          m_coefficient[degree] += amount;
     public void assignCoefficient(double newCoefficient, int degree) {
          m_coefficient[degree] = newCoefficient;
     public void clear() {
          for (int i = 0; i < m_coefficient.length; i++) {
               m_coefficient[i] = 0;
     public void reserve(int degree) {
     // These are other, useful methods
     public int nextTerm(int k) {
          int value = 0;
          return value;
     public double eval(double x) {
          double value = 0;
          // This goes through all the exponents in the polynomial
          for (int i = 0; i < getDegree(); i++) {
               // += allows you to add instead of overriding the next term
               value += getCoefficient(i) * Math.pow(x, i);
          return value;
     // Here is our addition method
     public static Polynomial add(Polynomial p1, Polynomial p2) {
          Polynomial newPolynomial = new Polynomial();
          // We have to find the bigger polynomial so we know how to set the loop
          if (p1.getDegree() >= p2.getDegree()) {
               for (int i = 0; i < p1.getDegree(); i++) {
                    newPolynomial.addToCoefficient(p1.getCoefficient(i)
                              + p2.getCoefficient(i), i);
          } else {
               for (int i = 0; i < p2.getDegree(); i++) {
                    newPolynomial.addToCoefficient(p1.getCoefficient(i)
                              + p2.getCoefficient(i), i);
          return newPolynomial;
     // Here is our subtraction method
     public static Polynomial subtract(Polynomial p1, Polynomial p2) {
          Polynomial newPolynomial = new Polynomial();
          // We have to find the bigger polynomial so we know how to set the loop
          if (p1.getDegree() >= p2.getDegree()) {
               for (int i = 0; i < p1.getDegree(); i++) {
                    newPolynomial.addToCoefficient(p1.getCoefficient(i)
                              - p2.getCoefficient(i), i);
          } else {
               for (int i = 0; i < p2.getDegree(); i++) {
                    // The order is important with subtraction so they cannot be
                    // switched
                    // The equation is allowed to be negative, but the exponent
                    // cannot be
                    newPolynomial.addToCoefficient(p1.getCoefficient(i)
                              - p2.getCoefficient(i), i);
          return newPolynomial;
     // Here is our multiplication method
     public static Polynomial multiply(Polynomial p1, Polynomial p2) {
          Polynomial newPolynomial = new Polynomial();
          if (p1.getDegree() >= p2.getDegree()) {
               for (int i = 0; i < p1.getDegree(); i++) {
                    newPolynomial.addToCoefficient(p1.getCoefficient(i)
                              * p2.getCoefficient(i), i);
          } else {
               for (int i = 0; i < p2.getDegree(); i++) {
                    newPolynomial.addToCoefficient(p1.getCoefficient(i)
                              * p2.getCoefficient(i), i);
          return newPolynomial;
     // Here is our clone method
     public Polynomial clone() {
          Polynomial poly;
          try {
               poly = (Polynomial) super.clone();
          } catch (CloneNotSupportedException e) {
               throw new RuntimeException(
                         "Class does not implement cloneable interface");
          return poly;
}

We've been working with arrays, and we have to write a code that adds, subtracts, and multiplies polynomials. I'm having trouble with a few of the methods. I've assigned m_degree and m_coefficient as the fields I need to use.
Right now, as my code stands, when I test it with a polynomial in main, it doesn't work. So right now, there's a mistake preventing what I have so far from properly functioning.
I am also having trouble writing the following methods:
reserve: We have to allocate memory to the polynomial every time it changes so we make sure we always have enough space to work with it.
nextTerm: We need this to jump to the next term in the polynomial, but I'm not quite sure how to do it. I didn't even realize it was possible.
I'm horrible at commenting and explaining my code, but if you read over it just a little bit, you may be able to get the gist of what I'm trying to do. Thanks for any help, and sorry if I can't explain well.
public class Polynomial implements Cloneable {
private int m_degree;
private double[] m_coefficient;
// This is the default constructor
public Polynomial() {
super();
m_degree = 0;
m_coefficient = new double[5];
// This allows the user to build a polynomial by putting a constant in
public Polynomial(double constant) {
this();
m_coefficient[0] = constant;
public Polynomial(Polynomial source) {
// These are the getters
public double getCoefficient(int degree) {
return m_coefficient[degree];
public int getDegree() {
return m_degree;
// These are the setters
public void addToCoefficient(double amount, int degree) {
m_coefficient[degree] += amount;
public void assignCoefficient(double newCoefficient, int degree) {
m_coefficient[degree] = newCoefficient;
public void clear() {
for (int i = 0; i < m_coefficient.length; i++) {
m_coefficient[i] = 0;
public void reserve(int degree) {
// These are other, useful methods
public int nextTerm(int k) {
int value = 0;
return value;
public double eval(double x) {
double value = 0;
// This goes through all the exponents in the polynomial
for (int i = 0; i < getDegree(); i++) {
// += allows you to add instead of overriding the next term
value += getCoefficient(i) * Math.pow(x, i);
return value;
// Here is our addition method
public static Polynomial add(Polynomial p1, Polynomial p2) {
Polynomial newPolynomial = new Polynomial();
// We have to find the bigger polynomial so we know how to set the loop
if (p1.getDegree() >= p2.getDegree()) {
for (int i = 0; i < p1.getDegree(); i++) {
newPolynomial.addToCoefficient(p1.getCoefficient(i)
+ p2.getCoefficient(i), i);
} else {
for (int i = 0; i < p2.getDegree(); i++) {
newPolynomial.addToCoefficient(p1.getCoefficient(i)
+ p2.getCoefficient(i), i);
return newPolynomial;
// Here is our subtraction method
public static Polynomial subtract(Polynomial p1, Polynomial p2) {
Polynomial newPolynomial = new Polynomial();
// We have to find the bigger polynomial so we know how to set the loop
if (p1.getDegree() >= p2.getDegree()) {
for (int i = 0; i < p1.getDegree(); i++) {
newPolynomial.addToCoefficient(p1.getCoefficient(i)
- p2.getCoefficient(i), i);
} else {
for (int i = 0; i < p2.getDegree(); i++) {
// The order is important with subtraction so they cannot be
// switched
// The equation is allowed to be negative, but the exponent
// cannot be
newPolynomial.addToCoefficient(p1.getCoefficient(i)
- p2.getCoefficient(i), i);
return newPolynomial;
// Here is our multiplication method
public static Polynomial multiply(Polynomial p1, Polynomial p2) {
Polynomial newPolynomial = new Polynomial();
if (p1.getDegree() >= p2.getDegree()) {
for (int i = 0; i < p1.getDegree(); i++) {
newPolynomial.addToCoefficient(p1.getCoefficient(i)
* p2.getCoefficient(i), i);
} else {
for (int i = 0; i < p2.getDegree(); i++) {
newPolynomial.addToCoefficient(p1.getCoefficient(i)
* p2.getCoefficient(i), i);
return newPolynomial;
// Here is our clone method
public Polynomial clone() {
Polynomial poly;
try {
poly = (Polynomial) super.clone();
} catch (CloneNotSupportedException e) {
throw new RuntimeException(
"Class does not implement cloneable interface");
return poly;
}

Similar Messages

  • Having trouble writing server side code

    I have installed FMS 3.5 (by download from Adobe's site)
    I am trying to develop a simple chat application. It's quite strange that why the following error is producing
    main.asc: line 4: SyntaxError: missing ; before statement: var __CONFIG__.isConfigLoaded = false;
    The first few lines look like this
    ==========================================
    load( "components.asc" );
    var __CONFIG__ = new Object();
    var __CONFIG__.isConfigLoaded = false;
    ==========================================
    if I remove the "var" (AS1 style?) then it does not report any error. Can somebody please help me?
    Kind Regards
    Rakesh

    You're attempting to write AS3 on FMS and it doesn't have any Flash Style AS interpreter for script.  It's plain Javascript as provided by the Mozilla Spidermonkey engine.  I recommend checking out the docs - particularly the Server Side Actionscript Guide.  That should help.
    A

  • Having trouble with my PHP code. Appers to get stuck on a white page.

    HI all,
    I have just began having trouble with my PHP code. Was working before and haven't made any changes to the code since last time it worked.
    What happens is after the form is submitted it goes to a white page (no text just all white page) and in the address bar it has the path for my php page. what supposed to happen is either it goes to a success page or a error page.
    I've had a problem where the info entered is correct but was directed to the error page. i managed to fix that issue but i am puzzled what is happening to my php page now.
    Mind you that i didn't write this code i just took over the responsiblities of this website and i am hopping that its a quick fix.
    I appreciate any help you could give me. Thank you.
    CODE:
    <?php
       $to = '[email protected]';
          $from = '[email protected]';
            //Make sure we have some info posted from the form...
            if (isset($HTTP_POST_VARS)){
                //Clear the body of the message to be sent
                $body = '';
                //go through all POSTed variables sent
                while (list($key, $value) = each($HTTP_POST_VARS)){
        if($key <> "Submit" && $key <> "submit") {
         $body .= $key . ' = ' . $value . "\r\n"; 
                //Now building mail headers.....
                $headers = "From: ".$from."\r\n";
                //Mail message
                $success = mail($to, "Email Club" . date("m/d/Y"), $body, $headers);
       // CURL stuff.....
       $ch = curl_init();
       curl_setopt($ch, CURLOPT_FAILONERROR, 1);
       curl_setopt($ch, CURLOPT_FOLLOWLOCATION, 1);
       curl_setopt($ch, CURLOPT_TIMEOUT, 4); //times out after 4s
       curl_setopt($ch, CURLOPT_RETURNTRANSFER,1);
                 if ($success){
        //readfile('http://www.lvpaiutegolf.com/thankyou.html');
        curl_setopt($ch, CURLOPT_URL,"http://www.lvpaiutegolf.com/thankyou.html");
        header("Location:http://www.lvpaiutegolf.com/thankyou.html");
                else{
                 // readfile('http://www.lvpaiutegolf.com/error.html');
         curl_setopt($ch, CURLOPT_URL,"http://www.lvpaiutegolf.com/error.html");
         header("Location:http://www.lvpaiutegolf.com/error.html");
       // Output
       //$result=curl_exec ($ch);
       //curl_close ($ch);
       //echo $result'";
    ?>

    Insert the install disk and boot from it. Use disk utitlity to repair your drive and check for errors (report any errors back here) then reinstall the os. This should not erase your data.

  • I'm having trouble using my redemption code to access Lightroom?

    Can any one help I am having trouble using my redemption code to access the download of lightroom

    i am having the saame trouble with my audio book.  I can get music but no longer my book. and it makes me mad. help me too.

  • Having trouble writing to a database although SQL query is correct

    Hi there. I am trying to write an sql query to a database but I am failing to understand what is going wrong in terms of executing the query.
    I have the following code.
    static public int writeToStockTable (String suppIn, String nameIn, String typeIn, float quantIn, float priceIn, String descIn, String styleIn, String finishIn)         {               // Temporary variable to hold the SQL query               String SQLString, SQLString2;               ResultSet rs = null;                                     // Build a string containing the SQL INSERT instruction to be used later             SQLString = "INSERT INTO "+typeIn+" VALUES ('1', '" + suppIn + "', '" + nameIn + "', " + quantIn + ", " + priceIn + ", '"+descIn+"', '"+styleIn+"', '"+finishIn+"')";             SQLString2 = "SELECT Name FROM Suppliers WHERE Name = '" + suppIn + "'";                                         try                   {                         // The createStatement() method creates a Statement object.  Object will be                         // attached to my reference variable (statement) defined at the top of class.                         statement = connectionToBellFiresDB.createStatement();                                                 // The executeUpdate() statement can be used here to execute an                         // SQL INSERT instruction.                         rs = statement.executeQuery (SQLString2);                         if ((rs == null))                         {                             System.out.println ("Trying to say no supplier");                             return (-2);                         }                                                 else                         {                             System.out.println (SQLString);                             statement.executeUpdate (SQLString);                         }                                           }                 catch (SQLException exception)                   {                       return (-1);    // Return -1 if problem writing record to file                   }                             return (0);  // Return with 0 if record successfully written                       }
    Please ignore the attributes not used, it is very much a work in progress. The command that prints SQLString prints
    INSERT INTO Fireplace VALUES ('1', 'a', 'a', 1.0, 1.0, 'a', 'a', 'a')
    which is correct, but will return the error code -1 when asked to execute the query. The database jdbc:odbc driver has been initialised in the control panel and the program has no other problems accessing the database as far as i am aware.
    Any help would be appreciated, i hate database connections :)

    Chrift wrote:
    Im sorry i dont know what you mean by eating the exception, im quite a noob at programming to be honest!
    How do i print it out and what is a stack trace?Do you know what an exception is? If not, then you should stay far away from JDBC/Database programming for the time being.
    Read [the Exception Tutorial|http://java.sun.com/docs/books/tutorial/essential/exceptions/] first.
    Then: an exception has quite a bit of useful information attached that tells you what went wrong.
    In your case you catch the exception and ignore everything it could tell you by simply returning -1. Returning 0 and -1 to indicate success/failure is a very bad idea and should not be used in Java code, it's a C-style convention for C-era programming languages. In Java you use exceptions instead.
    For starters you could simply add "exception.printStackTrace()" in your catch-block to get some more information out of the exception.

  • I just entered the podcast world. I am having trouble with my rss code. This is the error i recieve from itunes when trying to submit the url. Error Parsing Feed: invalid XML:Error line 64:XML documents must start and end within the same entity

    <?xml version="1.0"?>
    <rss xmlns:content="http://purl.org/rss/1.0/modules/content/"
    xmlns:itunes="http://www.itunes.com/DTDs/Podcast-1.0.dtd"
    Verson="2.0">
    <channel>
    <title>KPNC Regional Toxcast</title>
    <link>http://kpssctoxicology.org/edu.htm</link>
    <description>KP Toxcast test podcast</description>
    <webMaster>[email protected]</webMaster>
    <managingEditor>[email protected]</managingEditor>
    <pubDate>Tue, 27 Sep 2011 14:21:32 PST</pubDate>
    <category>Science & Medicine</category>
      <image>
       <url>http://kpssctoxicology.org/images/kp tox logo.jpg</url>
       <width>100</width>
       <height>100</height>
       <title>KPNC Regional Toxcast</title>
      </image>
    <copyright>Copyright 2011 Kaiser Permanente. All Rights Reserved.</copyright>
    <language>en-us</language>
    <docs>http://blogs.law.harvard.edu/tech/rss</docs>
    <!-- iTunes specific namespace channel elements -->
    <itunes:subtitle>The Kaiser Permanente Northern California (KPNC) Regional Toxicology Service                  Podcast</itunes:subtitle>
    <itunes:summary>This is the podcast (toxcast) of the KPNC Regional Toxicology Service. Providing                 Kaiser and non-Kaiser physicians with anything toxworthy</itunes:summary>
    <itunes:owner>
       <itunes:email>[email protected]</itunes:email>
       <itunes:name>G. Patrick Daubert, MD</itunes:name>
    </itunes:owner>
    <itunes:author>G. Patrick Daubert, MD</itunes:author>
    <itunes:category text="Science & Medicine"></itunes:category>
    <itunes:link rel="image" type="video/jpeg" href="http://kpssctoxicology.org/images/kp tox                   logo.jpg">KPNC Toxcast</itunes:link>
    <itunes:explicit>no</itunes:explicit>
    <item>
       <title>KPNC Regional Toxcast Sample File</title>
       <link>http://kpssctoxicology.org/edu.htm</link>
       <comments>http://kpssctoxicology.org#comments</comments>
       <description>This is the podcast (toxcast) of the KPNC Regional Toxicology Service. Providing                Kaiser and non-Kaiser physicians with anything toxworthy</description>
       <guid isPermalink="false">1808@http://kpssctoxicology.org/Podcast/</guid>
       <pubDate>Tue, 27 Sep 2011 14:21:32 PST</pubDate>
       <category>Science & Medicine</category>
       <author>[email protected]</author>
       <enclosure url="http://kpssctoxicology.org/podcast/kptoxcast_test_092711.mp3" length="367000"                   type="audio/mpeg" />
       <!-- RDF 1.0 specific namespace item attribute -->
       <content:encoded><![CDATA[<p><strong>Show Notes</strong></p>
       <p><a href="KPNC" _mce_href="http://kpssctoxicology.org/">KPNC">http://kpssctoxicology.org/">KPNC Regional Toxicology Service</a> is comprised of               Steve Offerman, MD; Michael Young, MD; Patrick Whitely; and G. Patrick Daubert, MD.               Awesome team!
       <p>Download <a href="KPNC" _mce_href="http://kpssctoxicology.org/podcast/kptoxcast_test_092711.mp3">KPNC"> http://kpssctoxicology.org/podcast/kptoxcast_test_092711.mp3">KPNC Sample               Toxcast</a></p>]]</content:encoded>
       <!-- iTunes specific namespace channel elements -->
       <itunes:author>G. Patrick Daubert, MD</itunes:author>
       <itunes:subtitle>The Kaiser Permanente Northern California (KPNC) Regional Toxicology Service                    Podcast</itunes:subtitle>
       <itunes:summary>This is the podcast (toxcast) of the KPNC Regional Toxicology Service.                   Providing Kaiser and non-Kaiser physicians with anything
                       toxworthy </itunes:summary>
       <itunes:category text="Medicine"></itunes:category>
       <itunes:duration>00:00:18</itunes:duration>
       <itunes:explicit>no</itunes:explicit>
       <itunes:keywords>daubert,toxicology,toxcast</itunes:keywords>
      </item>
    </channel>
    </rss>

    Please when you have a query post the URL of your feed, not its contents.  Is this your feed? -
    http://kpssctoxicology.org/Podcast/kptoxcast_test_rss_092711.xml
    You have a number of cases of a string of spaces in titles: you also have one in a URL which will render that link invalid.
    But what is rendering the whole feed unreadable is your category link:
    <category>Science & Medicine</category>
    The presence of an ampersand ('&') by itself indicates the start of a code sequence, and in the absence of one, and its closing character, invalidates everything which follows, and thus the entire feed. You must replace the ampersand with the code
    &amp;
    Additionally, your opening lines should read thus:
    <?xml version="1.0" encoding="UTF-8"?>
    <rss xmlns:itunes="http://www.itunes.com/dtds/podcast-1.0.dtd" version="2.0">
    (with the 'purl.org' line if you like).
    If you are going to submit a feed to iTunes you might want to reconsider have 'test' in the filename: apart from the Store having a tendency to reject obvious test podcasts which may not reflect the finished version, you will be stuck with this URL and though you can change the feed URL it's an additional hassle.

  • Newbie having trouble compling and running code

    Ok I bought a beginning Java book to learn. I loaded the JDK into a file c:\java\jdk1.5.0_06. Set up a folder called code at c:\java\code. Set my paths for both PATH and CLASSPATH under both user variable and system variable to c:\java\jdk1.5.0_06\bin. During compiling I had a problem with the error "'javac' is not recognized as an internal or exter..." I got that worked out. I have my party.class file in the code directory. When I try to run it using "c:\java\code> java party" I get this error. "Exception in thread "main" java.lang.NoClassDefFoundError: party. " I ran a dir and I can see party.class. I get the same results when I run the HelloWorldApp.class also.
    One thing I did try was "set CLASSPATH = "
    Then I could run the HelloWorldApp.class ., but the Party.class still will not run. It gives this error "Exception in thread "main" java.lang.NoSuchMethodError: main"
    I have read through a bunch of forums online but have not find anything to rmemdy this.
    Here is the code
    Party.java
    import java.awt.*;
    import java.awt.event.*;
    class party {
      public void buildInvite(){
        Frame f = new Frame();
        Label l = new Label ("Party at Tim's");
        Button b = new Button ("You Bet");
        Button c = new Button ("Shoot me");
        Panel p = new Panel();
        p.add(l);
        } //more code here...
    } HelloWorldApp.java
    * The HelloWorldApp class implements an application that
    * simply displays "Hello World!" to the standard output.
    class HelloWorldApp {
        public static void main(String[] args) {
            //Display "Hello World!"
            System.out.println("Hello World!");
    }Thanks for your help

    OK I think I figured out the main method thing. But
    now I have gone back to getting the "Exception in
    thread "main" java.lang.NoClassDefFoundError: party.
    " error. Everything I have read said this was cause
    by looking int he wrong dir. But I can run dir and
    see party.class
    import java.awt.*;
    import java.awt.event.*;
    class party {
         public void buildInvite(){
              Frame f = new Frame();
              Label l = new Label ("Party at Tim's");
              Button b = new Button ("You Bet");
              Button c = new Button ("Shoot me");
              Panel p = new Panel();
              p.add(l);
         } //more code here...
         public static void main(String[] args) {
                  // code here
    } Does this one work?

  • Trouble writing pixel array back to gif file

    Hi everyone. I am in the middle of constructing a steganography api for a final year group project. I have taken out the pixels into an array from a gif file. I am having trouble writing it back to a gif file. Here is my code:
    import javaSteg.stegoLibrary.*;
    import java.awt.*;
    import java.awt.image.*;
    import java.io.*;
    import Acme.*;
    import Acme.JPM.Encoders.*;
    public class Gif extends Canvas{
         public void encodeGif(byte[] imageData){
              //create toolkit obarrayPointerect
              Toolkit t = Toolkit.getDefaultToolkit();
              MediaTracker tracker = new MediaTracker(this);
              //decode specified Gif cover
              Image img = t.createImage(imageData);      
              tracker.addImage(img,0);
              try{
                   tracker.waitForAll();
              catch(InterruptedException e){
              System.out.println("Tracker interrupted.");
              //retrive picture from image
              int[] pix = new int[img.getWidth(this) * img.getHeight(this)];
              PixelGrabber pg = new PixelGrabber(img, 0, 0, img.getWidth(this), img.getHeight(this), pix, 0, img.getWidth(this));
              try{ pg.grabPixels();
              } catch (InterruptedException ioe) {
                   System.err.println("Interrupted");
              if ((pg.getStatus() & ImageObserver.ABORT) != 0) {
              System.err.println("image fetch aborted or errored");
              return;
              //put into byte array
              byte[] pixels = new byte[img.getWidth(this) * img.getHeight(this)];     
              for(int arrayPointer=0;arrayPointer<pix.length;arrayPointer++){
                   pixels[arrayPointer] = new Integer(pix[arrayPointer]).byteValue();
              //edit pixels not implemented yet
    //assign edited pixels to an image
              img = t.createImage(pixels);
              // Now encode the image using ACME free GIF encoder (www.acme.com)
              try{
                   FileOutputStream fos = new FileOutputStream("D:\\result.gif");
                   GifEncoder encoder = new GifEncoder(img, fos);
                   encoder.encode();
                   fos.close();
              }catch(IOException e) {
              System.out.println("FATAL IOException "+e);
    From this i get a single pixel in my output gif file. Is there a way of swapping out the edited pixels with the origonal pixels in the image file? or an alternative way to write back the complete file.
    Thanks a lot
    MickyT

    ive managed to solve it. For those who come across this thread and want to know the solution i needed to use MemoryImageSource with the pixels inorder to pass them to the createImage method :o)

  • Trouble writing PDF out of Framemaker 7.1

    Hello,
    I have an old version of Framemaker, 7.1, and I'm having trouble writing a pdf. Our office is all Windows based. On two machines, when I write the pdf, I can't get it to create crop marks and I lose chucks of text, indents are changed and spacing between paragraphs are changed. On a third machine, I get the pdf to render just fine with the crop marks. The settings we use on all three machines is the same. The problem I have is, the good PC is leaving next week when the owner goes traveling on buisness.
    Can anyone offer me any suggestions, please? Thank you.
    Jeff

    My first suggestion would be to provide us with some more info.  ;-  )
    Your OS, exact version of FM(from Help > About --  the p number),  version of Acrobat, and anything else that seems relevant.
    Or to cut to the chase, you could confirm that you have the highest  patch levels of FM and Acrobat, and if you have XP, that you're also  fully patched there -- including the Microsoft HotFix for PS printers  (such as Acrobat) --  http://support.microsoft.com/?id=952909 -- it applies to all PS printers, including the logical PDF you're  using, and one of the fixes is the missing text you mentioned.
    Cheers,
    Art

  • Trouble writing large Quicktime file to DVD

    I'm having trouble writing a large (2.4G) Quicktime mov. file to DVD. If I burn it as a video it comes out fine, but when I try to write it as a file the end product is jerky and staggered and can't be easily transferred to another computer. I'm wondering if it has anything to do with the size of the file and if there is another way of transferring this file uncompressed, short of carrying my hard drive across town.

    The trouble is caused by the speed (data rate) that can be achieved when playing from DVD media via QuickTime Player.
    If you burn the DVD as a "data file" you should then copy it (temporarily) to the HD of the viewing machine. Drag the file from the DVD to the Desktop on the viewing machine and then open it with a double click.
    When you "burn" it as DVD media you are actually converting the file to MPEG-2 format and the DVD Player can handle these lower data rates.
    Does this make sense to you?

  • I am having trouble redeeming my iTunes card on the App Store.  It always times out when I enter the code.  But when I try to enter the redeem code in the iTunes Store, an error code comes up (5002)  What does that mean?

    I am having trouble redeeming my iTunes card on the Mac App Store....A message comes up and says, "your session has expired.  Try again."  I try again and it's the same message.  I also tried to enter the redemption code on the iTunes Store and the same message comes up or it says, "Error 5002"  I need help....I feel like I wasted my money.  and I need  a program for school. 

    Clic here:  iTunes: Advanced iTunes Store troubleshooting
    Then click:  Expand All Sections
    Then scroll down to error 5002.

  • HT4796 im having trouble getting my laptop to connect to my mac using windows migration assistant. my mac comes up with a code but my laptop is waiting for my mac to respond but nothing happens

    hi all
    im having trouble getting my laptop to connect to my mac using migration assistant. my mac has a code on the screen but my laptop doesnt respond and just says it waitng for my mac to respond.
    any idea? please

    Hi Christina, belated welcome to Apple Discussions if nobody said it already.
    I've had some experiences with these new flash memory recording camcorders, and I'll give you a quick rundown of what I've learned. Many of them (JVC, Panasonic, etc.) tend to record in a .MOD file format, which is non-standard, proprietary, and unrecognizable by most software. I thought Canon was usually a little more standards-compliant, but it appears they also use this .MOD format in your specific camera model. There are likely a couple ways we can get around this though!
    In order to play the files, you will likely need to change their file format (.MOD) to .AVI manually. You'll have to locate the files on your Mac, and then manually change the file names so that the file extension (after the period) is .AVI
    At that point, a video player application such as http://www.videolan.org/vlc/download-macosx.html>VLC should play the files fine!
    You should be able to transfer new video files from the camera to the Macbook Pro with no problems as well. Just plug in the camera to the computer via USB, and also make sure the camera is plugged in to charge. Once it's plugged in, open iMovie (came with the MBP, in the Applications folder) and the MBP should take care of the rest.
    Let me know if you have any success with any of this!
    FYI, the thread that I got some of the above information from is here:
    http://forums.macrumors.com/showthread.php?t=478326
    --Travis

  • I'm having trouble formatting a book I'm writing using Pages. I need to put my name and book title in the upper left hand corner of EACH page- opposite the page number. How do I do this?

    I'm having trouble formatting a book I'm writing using Pages. I need to put my name and book title in the upper left hand corner of EACH page- opposite the page number. How do I do this?

    And if this is the new IOS Pages v2 (or the older IOS Pages 1.7.2), you click the wrench icon and then Document Setup. Tap the document header to edit it, and apply the same instructions that I gave previously for OS X Pages v5.
    The process for Pages ’09 v4.3 is slightly different. You click the Header, and enter your document title and your name as previously described. You will need Menu > View > Show Ruler. Click once in the ruler at the first or second mark after the 7 inch (roughly 18cm). This will set a tab. Now position the insertion mark behind your title and tab once to the mark you set. Now you can Menu > Insert > Auto Page Numbers ...

  • I am having trouble updating Acrobat Pro 11.0 to 11.0.01.  The install hangs writing to the registry

    I am having trouble updating Acrobat Pro 11.0 to 11.0.01.  The install gets to the writing to the registry screen and hangs.  Help please.

    if you're on a mac, try a direct download and install:
    http://www.adobe.com/support/downloads/product.jsp?product=1&platform=Macintosh
    if windows:
    http://www.adobe.com/support/downloads/product.jsp?product=1&platform=Windows

  • HT1725 I am having trouble down loading a uv digital copy of a movie that i recently purchased. I keep getting error code (-50) has anyone else got this and how do you resolve it?

    I am having trouble down loading a uv digital copy of a movie that i recently purchased. I keep getting error code (-50) has anyone else got this and how do you resolve it?

    Hi,
    Try the following steps:
    1. Check windows updates.
    2. Try the Microsoft Fix it in this kb to remove previous install completely:
    http://support.microsoft.com/kb/2739501/en-us
    3. Reboot.
    4. Try installing again.
    This seems helpful on the issue.
    As always, thank you for your suggestion, Don:)
    Regards,
    Melon Chen
    TechNet Community Support

Maybe you are looking for

  • What does 'Start up disk no more space' error message mean?

    I use a pre 2009 2 x 3 GHz Quad-Core Intel Xeon with 3 GB 667 MHz DDR2 FB-DIMM Mac OS X.6.3 Error message pops up whenever I shut down as follows: "Start Up Disk has no more space available for application memory." I have more than 265 GB on my start

  • For color column....need help

    Hi all..          I have table for output. In that table last column is Sum of row. It's start with *.  i need to show the last column with different color.for that what i will do? pls anybody reply  to me with full details..Because i am in first prj

  • Start a program automatically?

    Hi all, I feel a bit foolish asking this, but how could I get a program (in this case, the Big Brother client daemon) to run during the system boot? I am having a major brain **** on this one. Thanks!

  • Why My Screen Painter Only can Edit Specific Attributes

    In my Screen Painter, i only can edit the item's specific Attr,like Caption,but I can't edit the uniqueID,Type..... The specific Attr has a EditTxt dialog that i can enter my value,but for the items, it seems disapear. I only see the Attr Name and sc

  • Customizing the Bridge Search Interface

    I've created a custom MetaData Schema and custom FileInfo panel for my CS4 applications. Now, I'd like to customize the bridge search interface. Currently, the search interface shows EXIF metadata types as searchable. I'd like to add my own, and remo