Printing all of file to printer

I have written some code to print from a file to a printer. The problem is that only the first page prints out and the rest do not. Here's more clarification:
Becasue I assume that in a file about 45 lines make up a normal page I am able to get the right amount of pages to be displayed in the dialog and to print, but still, the first page is printed fine and the rest are blank. I am baffled as to what I'm doing wrong. I have also noticed that many other people have had the same problem, but with no solutions. It seems as though the print method of the printable interface is called twice for every page with a different graphics element, and I don't know if that is what is causing my problem or not. I am using the jdk 1.3.1 - is that a problem? Here is my code and if anyone can propose a solution to the blank pages problem I would be very grateful!
import java.awt.*;
import java.awt.print.*;
import java.io.*;
import javax.swing.*;
public class MyPrinter implements Runnable {
protected PrinterJob job;
protected MyPrintable myPrint = new MyPrintable();
protected MyPageable myPage = new MyPageable();
protected MyDialog dialog = new MyDialog();
protected RandomAccessFile raf;
//protected Startmenu mainMenu;
protected String fileName;
protected File printFile;
protected int numPages = 0;
public MyPrinter() { } // end constructor
public void printFile(String name) {// gives error message if file doesn't exist!
printFile = new File(name);
fileName = name;
if((printFile.exists()) && (printFile.canRead())) {
Thread myThread = new Thread(this);
myThread.start();
} // end if
else {
dialog.showError("Datei "+fileName+" existert nicht!", "Fehler mit Drucken");
} // end else
} // end printFile
public void run() {
numPages = findNumPages();
job = PrinterJob.getPrinterJob();
job.setPageable(myPage); // this is an instance of Pageable
if(job.printDialog()) { // user didn't cancel the printing
try {
job.print();
try { raf.close(); } // end try
catch(IOException e) { dialog.showError("Fehler: "+e.getMessage(), "Problem");}
} // end try
catch (PrinterException pe) {dialog.showError("Fehler: "+pe.getMessage(), "Problem");}
} // end if
} // end run
private int findNumPages() {
try {
numPages = 0;
raf = new RandomAccessFile(fileName, "r");
int fileLength = (int)printFile.length();
int lineNumber = 0;
while((int)raf.getFilePointer() < fileLength) {
lineNumber = 0;
while((((int)raf.getFilePointer()) < fileLength) && (lineNumber < 45)) {
raf.readLine();
lineNumber++;
} // end while loop
numPages++;
} // end while loop
raf.seek(0);
} // end try
catch(IOException e) { dialog.showError("Fehler: "+e.getMessage(), "Problem");}
return numPages;
} // end findNumPages
public class MyPageable implements Pageable {
public Printable getPrintable(int pageIndex) { return myPrint; } // end getPrintable
public PageFormat getPageFormat(int pageIndex) {
PageFormat pf = new PageFormat();
pf.setOrientation(PageFormat.PORTRAIT);
return pf;
} // end getPageFormat
public int getNumberOfPages() {
return numPages; // test
//return ((int)printFile.length()/4000); // assume 4KB per page
} // end getNumberOfPages
} // end MyPageable class
public class MyPrintable implements Printable {
private Font fnt = new Font("Serif", Font.PLAIN, 11);
protected int lastPageIndexChecked = -1;
public int print(Graphics g, PageFormat pf, int pageIndex)
throws PrinterException {
// pageIndex # corresponds to page number # + 1
pf.setOrientation(PageFormat.PORTRAIT);
if (pageIndex >= numPages) { return Printable.NO_SUCH_PAGE; } // end if
else {
g.setFont(fnt);
g.setColor(Color.black);
String oneLine;
int x = 75, y = 80, lineNumber = 0;
try {
int fileLength = (int)printFile.length();
while((((int)raf.getFilePointer()) < fileLength) && (lineNumber < 45)) {
oneLine = raf.readLine();
lineNumber++;
g.drawString(oneLine, x, y);
y += 15;
} // end while loop
} // end try
catch(IOException e) { dialog.showError("Fehler: "+e.getMessage(), "Problem");}
return Printable.PAGE_EXISTS;
} // end else
} // end print
} // end MyPrintable class
} // end MyPrinter class

I was actually able to solve the problem! The print function of the Printable interface is called twice for every page, which was what prevented the pages after the first (the graphics for the other pages) from somehow getting all the info they needed, etc. So here is my updated code for anyone who is having similar problems and needs a similar solution: :)
import java.awt.*;
import java.awt.print.*;
import java.io.*;
import javax.swing.*;
public class MyPrinter implements Runnable {
protected PrinterJob job;
protected MyPrintable myPrint = new MyPrintable();
protected MyPageable myPage = new MyPageable();
protected MyDialog dialog = new MyDialog();
protected RandomAccessFile raf;
protected String fileName;
protected File printFile;
protected int numPages = 0;
protected int[] lastFilePositions;
public MyPrinter() { } // end constructor
public void printFile(String name) {// gives error message if file doesn't exist!
printFile = new File(name);
fileName = name;
if((printFile.exists()) && (printFile.canRead())) {
Thread myThread = new Thread(this);
myThread.start();
} // end if
else {
dialog.showError("Datei "+fileName+" existert nicht!", "Fehler mit Drucken");
} // end else
} // end printFile
public void run() {
numPages = findNumPages();
job = PrinterJob.getPrinterJob();
job.setPageable(myPage); // this is an instance of Pageable
if(job.printDialog()) { // user didn't cancel the printing
try {
job.print();
try { raf.close(); } // end try
catch(IOException e) { dialog.showError("Fehler: "+e.getMessage(), "Problem");
System.exit(0);
} // end catch
} // end try
catch (PrinterException pe) {dialog.showError("Fehler: "+pe.getMessage(), "Problem");
        System.exit(0);
      } // end catch
} // end if
} // end run
private int findNumPages() {
try {
numPages = 0;
raf = new RandomAccessFile(fileName, "r");
int fileLength = (int)printFile.length();
int lineNumber = 0;
while((int)raf.getFilePointer() < fileLength) {
lineNumber = 0;
while((((int)raf.getFilePointer()) < fileLength) && (lineNumber < 45)) {
raf.readLine();
lineNumber++;
} // end while loop
numPages++;
} // end while loop
raf.seek(0);
lastFilePositions = new int[numPages];
intializeLastFilePositions();
} // end try
catch(IOException e) { dialog.showError("Fehler: "+e.getMessage(), "Problem");
System.exit(0);
} // end catch
return numPages;
} // end findNumPages
private void intializeLastFilePositions() {
for(int i = 0; i < lastFilePositions.length; i++) {
lastFilePositions[i] = 0;
} // end for loop
} // end intializeLastFilePositions
public class MyPageable implements Pageable {
public Printable getPrintable(int pageIndex) { return myPrint; } // end getPrintable
public PageFormat getPageFormat(int pageIndex) {
PageFormat pf = new PageFormat();
pf.setOrientation(PageFormat.PORTRAIT);
return pf;
} // end getPageFormat
public int getNumberOfPages() {
return numPages; // test
//return ((int)printFile.length()/4000); // assume 4KB per page
} // end getNumberOfPages
} // end MyPageable class
public class MyPrintable implements Printable {
private Font fnt = new Font("Serif", Font.PLAIN, 11);
protected int startAtLineNumber = 0;
public int print(Graphics g, PageFormat pf, int pageIndex)
throws PrinterException {
// pageIndex # corresponds to page number # + 1
pf.setOrientation(PageFormat.PORTRAIT);
if(pageIndex > numPages) return NO_SUCH_PAGE;
else {
if(pageIndex == 0) { startAtLineNumber = 0; } // end if
else {
startAtLineNumber = lastFilePositions[pageIndex-1];
} // end else
g.setFont(fnt);
g.setColor(Color.black);
String oneLine;
int x = 75, y = 80, lineNum = 0;
try {
raf.seek(startAtLineNumber);
int fileLength = (int)printFile.length();
while((((int)raf.getFilePointer()) < fileLength) && (lineNum < 45)) {
oneLine = raf.readLine();
if(oneLine.length() > 130) { // wrap lines if one line is too long
String secondLine = oneLine.substring(130, oneLine.length());
oneLine = oneLine.substring(0, 130);
g.drawString(oneLine, x, y);
y += 15;
g.drawString(secondLine, x, y);
y += 15;
} // end if
else { // line fit on one line
g.drawString(oneLine, x, y);
y += 15;
} // end else
lineNum++;
} // end while loop
lastFilePositions[pageIndex] = (int)raf.getFilePointer();
} // end try
catch(IOException e) { dialog.showError("Fehler: "+e.getMessage(), "Problem");
System.exit(0);
} // end catch
return Printable.PAGE_EXISTS;
} // end else
} // end print
} // end MyPrintable class
} // end MyPrinter class

Similar Messages

  • Just bought a new printer ( Canonpixmaip4920) all other files print ok but when I print a I Tunes cover playlist in comes out backwards or mirror image? How do you fix this?

    Hi,
    I just bought a new canon pixma ip 4920 printer... all other files print ok except when I try to print a playlist from I tunes it prints out backwards or a mirror image? How do you fix this?
    Jim

    Unfortunately changing the epub text size does not change the view at all. The images do not seem to change when the text size setting is changed.
    The resolution of my machine is already at the max setting, so increasing the resolution is kind of impossible.
    Any other suggestions I could try?  Thank you for your suggestions!

  • Cannot print a pdf off my mac 10.6.x. I can print all other files Epson printer  'Cancelling'

    Cannot print any pdf from my mac to Epson printer
    I can print all other files except pdf
    Using the most updated Adobe Reader XI
    Using the latest driver for the printer from Epson
    Using a USB cable
    Whats up?

    I have the same problem, I cannot print ANY PDF file from my Mac running 10.8.5 Mountain Lion and using Adobe ReaderXI 11.0.4 I have verified that all files print properly when printed from within Preview or within Libre office. There is no option in the Mac Adobe reader to reset the installation like there is on Windows. I have also tried deleting reader completely and re-installing and the same behavior.

  • Setting Printer Acrobat XI Default to print all PDF files last page first

    Hello,
    I have just recently upgraded to Mavericks and also have the Creative Cloud using Acrobat XI Pro. In using Reader 9, whenever I printed a PDF the output would print in reverse order, so all I would have to do is take it from the printer and hand it off; it would be in the correct order. How do I setup Acrobat XI Pro to accomplish the same settings (print in reverse order) on not only 1 PDF, but all PDF files? Any assistance would be greatly appreciated.
    Thanks,
    John

    Can a print preset be created that would work for all PDF files and not just the one opened? Just trying to find out since no one has answered my question in 2 days and Tech Support wasn't much help.
    Thanks,
    John

  • Using Acrobat 9 and suddenly there is no selected page range in the print box.   Only selected PDF files or all PDF files.  Am I doing something wrong?  I need to print only three pages from the document

    There is no selected print page range in the print box.  Only selected PDF file and all PDF files.  Any suggestions?

    Well, I looked for where to delete this but didn't see it.
    NEVERMIND; I forced iPhoto to quit and restarted and everything seems fine.
    BTW, I did get one thing wrong. When I looked at both iPhoto libraries with FINDER, the active one and the archived one both showed content as far as file size goes.
    It was because I was viewing the files through Adobe Bridge that it was showing 0 GB's; for whatever reason.

  • ALL MY FILES is suddenly empty,also my MAC not seeing my printer or disc burner.

    Suddenly "all my files" is empty and in "about this mac" storage no longer breaks down the types of files by color, everything is yellow indicating "Other".LION os has been fine for some time but now this, and at the same time that this occured my mac also stopped seeing my external disc burner and my printer. I have tried unplugging,rebooting,holding down power button and various other remedies suggested in forums to no avail.I can't help thinking that this is all related to something simple that I am missing and not the beginning of a major issue. Can someone please advise. Much appreciated. Sam.

    I disagree with Richard, hardware is probably the last thing I would think of in this case.
    I'm not sure what the problem is, but run a couple tests to help narrow it down.  First, try booting in safe mode...  do you still have the same problem?  Also try creating a new user (in System Preferences -> Users & Groups) and logging in as that user...  do you still have the same problem?

  • I have a 1TB external hard drive (NTFS) that has all my files from my old PC, how do I create a partition on it for HFS  without formatting it so that I can use it for Time Machine and the like?

    I have a 1TB external hard drive (NTFS) that has all my files from my old PC, how do I create a partition on it for HFS  without formatting it so that I can use it for Time Machine and the like?

    There aren't any 3rd party apps or anything. I use PC's and Mac's at school and the only computer connected to a printer at my house is a PC so i need access to both

  • Extract All Embedded Files in All Folders and Save Each? Copy/Paste from PDF to Word?

    I have most of what I need here, but I’m missing 2 important pieces. 
    #1)  I want to copy/paste from all PDF files in a folder and paste the copied data into a single Word file. 
    It works fine if I have ONLY Word docs in my folder.  When I have PDF files and Word files, the contents of the Word files are copied in fine, but the contents of the PDF files seem to come in as Chinese, and there is no Chinese in
    the PDF, so I have no idea where that’s coming from.
    #2)  I want to extract all embedded files (in all my Word files) and save the extracted/opened file into the folder.  Some embedded files are PDFs and some are Excel files.
    Here the code that I’m working with now.
    Sub Foo()
    Dim i As Long
    Dim MyName As String, MyPath As String
    Application.ScreenUpdating = False
    Documents.Add
    MyPath = "C:\Users\001\Desktop\Test\" ' <= change this as necessary
    MyName = Dir$(MyPath & "*.*") ' not *.* if you just want doc files
    On Error Resume Next
    Do While MyName <> ""
    If InStr(MyName, "~") = 0 Then
    Selection.InsertFile _
    FileName:="""" & MyPath & MyName & """", _
    ConfirmConversions:=False, Link:=False, _
    Attachment:=False
    Dim Myshape As InlineShape
    Dim IndexCount As Integer
    IndexCount = 1
    For Each Myshape In ActiveDocument.InlineShapes
    If Myshape.AlternativeText = PDFname Then
    ActiveDocument.InlineShapes(IndexCount).OLEFormat.Activate
    End If
    IndexCount = IndexCount + 1
    Next
    Selection.InsertBreak Type:=wdPageBreak
    End If
    On Error Resume Next
    Debug.Print MyName
    MyName = Dir ' gets the next doc file in the directory
    Loop
    End Sub
    If this has to be done using 2 Macros, that’s fine. 
    If I can do it in 1, that’s great too.
    Knowledge is the only thing that I can give you, and still retain, and we are both better off for it.

    Hi ryguy72,
    >>When I have PDF files and Word files, the contents of the Word files are copied in fine, but the contents of the PDF files seem to come in as Chinese, and there is no Chinese in the PDF, so I have no idea where that’s coming from.<<
    Based on the code, you were insert the file via the code Selection.InsertFile. I am trying to reproduce this issue however failed. I suggest that you insert the PDF file manually to see whether this issue relative to the specific file. You can insert PDF
    file via Insert->Text->Object->Text from file.
    If this issue also could reproduced manually, I would suggest that you reopen a new thread in forum to narrow down whether this issue relative to the specific PDF file or Word application.
    >> I want to extract all embedded files (in all my Word files) and save the extracted/opened file into the folder.  Some embedded files are PDFs and some are Excel files.<<
    We can save the embedded spreadsheet via Excel object model. Here is an example that check the whether the inlineshape is an embedded workbook and save it to the disk for you reference:
    If Application.ActiveDocument.InlineShapes(1).OLEFormat.ClassType = "Excel.Sheet.12" Then
    Application.ActiveDocument.InlineShapes(1).OLEFormat.DoVerb xlPrimary
    Application.ActiveDocument.InlineShapes(1).OLEFormat.Object.SaveAs "C:\workbook1.xlsx"
    Application.ActiveDocument.InlineShapes(1).OLEFormat.Object.Close
    End If
    And since the Word object model doesn't provide API to save the embedded PDF, I would suggest that you get more effective response from PDF support forum to see whether it supports automation. If yes, we can export the PDF as embedded spreadsheet like code
    absolve.
    Hope it is helpful.
    Regards & Fei
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • How to export book pdf using custom presets for all book files in indesign using javascript

    How to export book pdf using custom presets for all book files in indesign using javascript.

    Hi jackkistens,
    Try the below js code.
    Note: you can change your preset name in below (e.g, Your preset name).
    var myBook = app.activeBook;
    myBook.exportFile(ExportFormat.PDF_TYPE, File (myBook.filePath+"/"+myBook.name.replace(/\.indb/g, ".pdf")), false, "Your preset name", myBook.bookContents, "Book_PDF", false);
    example:
    var myBook = app.activeBook;
    myBook.exportFile(ExportFormat.PDF_TYPE, File (myBook.filePath+"/"+myBook.name.replace(/\.indb/g, ".pdf")), false, "[High Quality Print]", myBook.bookContents, "Book_PDF", false);
    thx,
    csm_phil

  • "I got my Internal HD Full, but I've already deleted all my files"

    I got an iMac G3 and I can't do anything, no printing, no opening pdf's, no opening word, excel, pwpoint documents, no photos or music. My Internal HD sais that I got 0 available memory, but I've already deleted all my files (photos, music, docs... all), and it still saying the same. Everytime I try to open something, a message apear that says that i don't have any enough memory. What can I do?????

    Hello and Welcome to Apple Discussions. 
    I had this happen a couple of years ago on my Powerbook (with an early version of 10.3 installed). In my case some console/log files had got out of control and I had several at 10Gb+ each. They filled my drive until I had zero bytes free.
    Use the program WhatSize or similar to find large files on your system and delete them. Be very careful deleting files; especially if they are system generated. As soon as you possibly can back-up your entire system.
    In my case I ended up doing a system re-install but that may well not be neccesary in your case.
    mrtotes

  • "All My Files" won't open, crashes Finder

    Every time I attempt to open the "All My Files" folder, finder crashes and I am unable to do anything on my computer without relaunching finder.
    Anyone seen something like this happen or know a fix?

    Please read this whole message before doing anything.
    This procedure is a test, not a solution. Don’t be disappointed when you find that nothing has changed after you complete it.
    Step 1
    The purpose of this step is to determine whether the problem is localized to your user account.
    Enable guest logins* and log in as Guest. Don't use the Safari-only “Guest User” login created by “Find My Mac.”
    While logged in as Guest, you won’t have access to any of your personal files or settings. Applications will behave as if you were running them for the first time. Don’t be alarmed by this; it’s normal. If you need any passwords or other personal data in order to complete the test, memorize, print, or write them down before you begin.
    Test while logged in as Guest. Same problem?
    After testing, log out of the guest account and, in your own account, disable it if you wish. Any files you created in the guest account will be deleted automatically when you log out of it.
    *Note: If you’ve activated “Find My Mac” or FileVault, then you can’t enable the Guest account. The “Guest User” login created by “Find My Mac” is not the same. Create a new account in which to test, and delete it, including its home folder, after testing.
    Step 2
    The purpose of this step is to determine whether the problem is caused by third-party system modifications that load automatically at startup or login, by a peripheral device, by a font conflict, or by corruption of the file system or of certain system caches.
    Disconnect all wired peripherals except those needed for the test, and remove all aftermarket expansion cards, if applicable. Start up in safe mode and log in to the account with the problem. You must hold down the shift key twice: once when you boot, and again when you log in.
    Note: If FileVault is enabled, or if a firmware password is set, or if the boot volume is a Fusion Drive or a software RAID, you can’t do this. Ask for further instructions.
    Safe mode is much slower to boot and run than normal, with limited graphics performance, and some things won’t work at all, including sound output and Wi-Fi on certain models. The next normal boot may also be somewhat slow.
    The login screen appears even if you usually log in automatically. You must know your login password in order to log in. If you’ve forgotten the password, you will need to reset it before you begin.
    Test while in safe mode. Same problem?
    After testing, reboot as usual (not in safe mode) and verify that you still have the problem. Post the results of Steps 1 and 2.

  • What about all these files/folders?

    * I looked through my Applications and located the following files that do not seem to be applications and perhaps should not be in Applications at all:
    -Epson LFP Remote Panel empty folder;
    -Epson Printer Utilities 57kb Alias;
    -Epson Stylus Pro 3800 empty folder
    -Installflash_player_osxintel.dmg, 5.8 MB disk image;
    -Lightroom empty folder;
    -Microsoft office 2011 empty folder
    -Nik Software empty folder
    -Utilities empty folder
    * When I open "downloads" in the Dock, I find the following:
    -HDR efex pro-la-ver1.100.dmg 86,2 MB disk image;
    -imageeditingsoftwarefile3.dmg, 83,5 MB disk image, (has something to do with my Lightroom3);
    -Photopro.dmg, 41,2 MB disk image
    -SecUpd2011-001.dmg, 253.1 MB disk image;
    -tuxerants_2010.12.dmg, 4.7 mb disk image.
    I like to keep my finder clean and I am planning to remove all empty files, but do not know what to do with the rest?
    Thanks for helping me out!

    You can delete all the stuff you don't recognize in your Downloads folder, those are not a problem.
    Some of that stuff in your Applications folder can be deleted as well, such as the Installflash_player_osxintel.dmg and Epson stuff (if you don't have an Epson printer that you're using).
    However, your Utilities folder should not be empty. I would try doing a Permission Repair in Disk Utility - it seems like your permissions might have gotten changed somewhere and thus you are not able to see what is inside your Utilities folder.

  • When backing up photo is it necessary to include all edited files or is th original dng sufficient?

    when backing up photo is it necessary to include all edited files or is th original dng sufficient?

    I don't keep a lot of edited copies of images. They aren't really necessary. I keep my master images (all raw files) and use them for browsing in Lightroom and for printing. Sometimes there are TIF files when I have gone to Photoshop to make further corrections. But other than that, I don't keep copies. I make copies for e-mail or to send to a lab, etc., but once they've been used I delete them. So backing up the master files and the catalog is really the most critical, in my opinion.

  • Trying to delete file from trash but get this: The operation can't be completed because the item "File name" is in use. All other files delete except this one. Please help

    Trying to delete file from trash but get this: The operation can’t be completed because the item “File name” is in use. All other files delete except this one. Please help

    Maybe some help here:
    http://osxdaily.com/2012/07/19/force-empty-trash-in-mac-os-x-when-file-is-locked -or-in-use//

  • ,how can I retrieve all my files? photos, songs, games, etc. please help me.. Thank you

    I thought I will just reactive my iPad form the "find my iPhone"apps.instead I deleted my iPad! All my files has been erased, like photos, songs, games, etc. I really want to recover all of these. Is there a way you can help me?  Thank you and god bless
    sheent totoh

    iPad Photo Recovery: How to Recover Deleted Photos
    http://www.iskysoft.com/iphone-data-recovery-mac/ipad-photo-recovery.html
    How to Restore Lost or Deleted Files from iPad
    http://www.iphone-ipad-recovery.com/recover-ipad-mini-files.html
    How to Recover Deleted Files from iPad
    http://www.kvisoft.com/tutorials/recover-deleted-files-from-ipad.html
    iSkysoft Free iPhone Data Recovery
    http://www.iskysoft.com/iphone-data-recovery/
    Recover iPhone/iPad/iPod touch lost data, Free.
    Free recover iPhone/iPad/iPod touch lost contacts, photos, videos, notes, call logs and more
    Recover data directly from iPhone or from iTunes backup
    Preview and recover lost iOS data with original quality
    Wondershare Dr.Fone for iOS
    http://www.wondershare.net/data-recovery/iphone-data-recovery.html?gclid=CJT7i9e 6gb4CFcvm7AodbUEAJQ
    Recover contacts, messages, photos, videos, notes, call history, calendars, voicemail, voice memos, reminders, bookmarks and other documents.
     Cheers, Tom

  • While saving a file, I have converted all my files to Pdf.  The only way to restore previous is to delete Adobe.  Does anyone have a soution?

    While saving a file, I have converted all my files to Pdf.  This made everything inaccessible, even Explorer.  I had to delete Adobe to get back to some of the previous files.  I tried to restore system to previous, but I kept getting a pop up message that said I did not have enough shadow space.  Does anyone have a solution?  Greatly appreciate your help.

    Application, file icons change to Acrobat/Reader icon

Maybe you are looking for

  • I can not download acrobat XI

    I have customer identification number however can not find acrobat XI PRO in my order History to download, please help

  • Temporary tablespace questions

    I have an Oracle 9.2.0.1.0 database running on a Windows 2000 server. I'm encountering several problems with its temporary tablespace. Here is how the temporary tablespace is created: create database testdb datafile 'd:\oradb\testdb\datafiles\testdbs

  • Macbook pro folder with question mark

    I am working on a neighbors macbook pro here. When I startup the laptop, a folder with a question mark appears. It will not go away and nothing else happens. This laptop was working fine until bootcamp was installed, then he erased all the contents o

  • SOLVED - iOS 6 WiFi issue. Re-enter iCloud password.

    Delete iCloud, recreate, enter password. Solved

  • Help getting an image to scale and move?

    I have a still image in the timeline and I select it to load it back in the Source Window. - On the first frame I select the Position and Scale watch icons. - I then click to add a keyframe for both Position and Scale. - I drag the Playhead to the la