Whats the simplest way to make a wrapper for 90 image graphic novel?

Hi. I have a graphic novel I want to convert into an app. There is some debate on what is the best route to go. It will have appx 90 images, so the images need to be unloaded as you go so memory is not an issue. The only controls are forward, back, and a button link to the app store, and a button link to the website. It needs additional memory management to make the last page viewed resume if the reader comes back after being interrupted. I have been told i need to work with uiscrollview and paging enabled, I was just looking to see if anyone had a simpler idea, or knew of code that was similar. Ths scrolling app is almost there, I am just unsure of how to adjust the code for images that fit the screen, as well as adding in the memory management features.
Thanks for the help!

An intuos II to whoever solves this program!
The pagecontrol.app sample app has most of what is needed.
Things that remain are:
1) intelligent unloading of images to reduce memory
2) a simple way to handle any number of prenamed images (possibly 100)
3) data persistence so that resuming the app brings you back to the last page viewed
4) a button on the first page to call a url in safari

Similar Messages

  • What is the simplest way to make a movie from BufferedImages?

    I have a 3d rendered animation from which I can grab BufferedImages of each frame. What is the simplest way I can create a movie from these images?
    I've seen the JpegImagesToMovie.java file and not only is it suprisingly overcomplicated, it requires me to change the code so that I can get images from memory rather than from files.
    Is there some simple way of creating a movie which requires a few statements? I'm also prepared to use QuickTime for Java. I don't care about the format, since I can just use any video converter to convert it to my desired video format.

    I recently came up with a simplified JpegImagesToMovie program. It generates QuickTime movies with a single video track output as a file. Input is a series of jpegs (currently as a list of file names, but easily modified to a take any form of jpeg data.) Since the compression used by the movie is JPEG, if you have an uncompressed image buffer, you'll need to convert that into jpeg data bytes with some quality setting. (Since its a movie file, go with something low if you have a lot of similar images.) This will even run without a full install of jmf--no native code is called (as far as I could tell..)
    Here is the source code, sorry about the formatting!
    import java.awt.Dimension;
    import java.io.File;
    import java.io.IOException;
    import java.io.RandomAccessFile;
    import java.net.URL;
    import java.util.Vector;
    import javax.media.Buffer;
    import javax.media.Format;
    import javax.media.MediaLocator;
    import javax.media.format.VideoFormat;
    import javax.media.protocol.ContentDescriptor;
    import javax.media.protocol.FileTypeDescriptor;
    import com.sun.media.multiplexer.video.QuicktimeMux;
    * This program takes a list of JPEG image files and converts them into a
    * QuickTime movie.
    * This was based on Sun's JMF Sample Code JpegImagesToMovie.java 1.3 01/03/13
    * This code is an attempt to reduce the complexity to demonstrate a very basic
    * JPEG file list to movie generator. It does not use a Manager or Processor
    * class, so it doesn't need to implement any event listening classes. One
    * advantage of this simplified class is that you can just link it with the
    * jvm.jar file. (you might also need to track down the com.ms.security library
    * stubs, use google. You'll need PermissionID.java and PolicyEngine.java.)
    * I tried to get it to generate AVI files without success.
    * These output files are could use further compression.
    * A Vector of jpeg image paths was one way to do this--the appropriate
    * methods can be overwritten to grab images from another source
    * --zip file, http, etc.
    * - Brad Lowe; Custom7; NuSpectra; 2/10/2005
    * The existing Copyright from Sun follows.
    * Copyright (c) 1999-2001 Sun Microsystems, Inc. All Rights Reserved.
    * Sun grants you ("Licensee") a non-exclusive, royalty free, license to use,
    * modify and redistribute this software in source and binary code form,
    * provided that i) this copyright notice and license appear on all copies of
    * the software; and ii) Licensee does not utilize the software in a manner
    * which is disparaging to Sun.
    * This software is provided "AS IS," without a warranty of any kind. ALL
    * EXPRESS OR IMPLIED CONDITIONS, REPRESENTATIONS AND WARRANTIES, INCLUDING ANY
    * IMPLIED WARRANTY OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE OR
    * NON-INFRINGEMENT, ARE HEREBY EXCLUDED. SUN AND ITS LICENSORS SHALL NOT BE
    * LIABLE FOR ANY DAMAGES SUFFERED BY LICENSEE AS A RESULT OF USING, MODIFYING
    * OR DISTRIBUTING THE SOFTWARE OR ITS DERIVATIVES. IN NO EVENT WILL SUN OR ITS
    * LICENSORS BE LIABLE FOR ANY LOST REVENUE, PROFIT OR DATA, OR FOR DIRECT,
    * INDIRECT, SPECIAL, CONSEQUENTIAL, INCIDENTAL OR PUNITIVE DAMAGES, HOWEVER
    * CAUSED AND REGARDLESS OF THE THEORY OF LIABILITY, ARISING OUT OF THE USE OF
    * OR INABILITY TO USE SOFTWARE, EVEN IF SUN HAS BEEN ADVISED OF THE POSSIBILITY
    * OF SUCH DAMAGES.
    * This software is not designed or intended for use in on-line control of
    * aircraft, air traffic, aircraft navigation or aircraft communications; or in
    * the design, construction, operation or maintenance of any nuclear facility.
    * Licensee represents and warrants that it will not use or redistribute the
    * Software for such purposes.
    public class SimpleMovie
    Vector images; // jpeg image file path list
    VideoFormat format; // format of movie to be created..
    // Sample code.
    public static void main(String args[])
    try
    // change imageDir to the location of a directory
    // of images to convert to a movie;
    String imageDir = "images";
    File d = new File(imageDir);
    SimpleMovie imageToMovie = new SimpleMovie();
    // change width, height, and framerate!
    // Excercise: Read width and height of first image and use that.
    imageToMovie.init(320, 240, 10.0f);
    imageToMovie.setFiles(d);
    File dest = new File("simple.mov");
    imageToMovie.createMovie(dest);
    System.err.println("Created movie " + dest.getAbsolutePath() + " "
    + dest.length() + " bytes.");
    } catch (Exception e)
    System.out.println(e.toString());
    e.printStackTrace();
    // return jpeg image bytes of image zIndex (zero-based index)
    public byte[] getImageBytes(int zIndex) throws IOException
    if (images == null)
    return null;
    if (zIndex >= images.size())
    return null;
    String imageFile = (String) images.elementAt(zIndex);
    // Open a random access file for the next image.
    RandomAccessFile raFile = new RandomAccessFile(imageFile, "r");
    byte data[] = new byte[(int) raFile.length()];
    raFile.readFully(data);
    raFile.close();
    return data;
    // Call this before converting a movie;
    // Use movie width, height;
    public void init(int width, int height, float frameRate)
    format = new VideoFormat(VideoFormat.JPEG,
    new Dimension(width, height), Format.NOT_SPECIFIED,
    Format.byteArray, frameRate);
    // Set up the files to process
    public void setFiles(Vector inFiles)
    images = inFiles;
    // point converter to jpeg directory. Only does one level,
    // but could recurse, but then sorting would be interesting..
    public void setFiles(File dir) throws Exception
    if (dir.isDirectory())
    if (images == null)
    images = new Vector();
    String l[] = dir.list();
    for (int x = 0; x < l.length; x++)
    if (l[x].toLowerCase().endsWith(".jpg"))
    File f = new File(dir, l[x]);
    images.addElement(f.getAbsolutePath());
    // Crank out the movie file.
    public void createMovie(File out) throws Exception
    if (format == null)
    throw new Exception("Call init() first.");
    String name = out.getAbsolutePath();
    QuicktimeMux mux = null; // AVI not working, otherwise would use
    // BasicMux
    if (out.getPath().endsWith(".mov"))
    mux = new QuicktimeMux();
    mux.setContentDescriptor(new ContentDescriptor(
    FileTypeDescriptor.QUICKTIME));
    } else
    throw new Exception(
    "bad movie file extension. Only .mov supported.");
    // create dest file media locator.
    // This sample assumes writing a QT movie to a file.
    MediaLocator ml = new MediaLocator(new URL("file:"
    + out.getAbsolutePath()));
    com.sun.media.datasink.file.Handler dataSink = new com.sun.media.datasink.file.Handler();
    dataSink.setSource(mux.getDataOutput()); // associate file with mux
    dataSink.setOutputLocator(ml);
    dataSink.open();
    dataSink.start();
    // video only in this sample.
    mux.setNumTracks(1);
    // JPEGFormat was the only kind I got working.
    mux.setInputFormat(format, 0);
    mux.open();
    // Each jpeg goes in a Buffer.
    // When done, buffer must contain EOM flag (and zero length data?).
    Buffer buffer = new Buffer();
    for (int x = 0;; x++)
    read(x, buffer); // read in next file. x is zero index
    mux.doProcess(buffer, 0);
    if (buffer.isEOM())
    break;
    mux.close();
    // close it up
    dataSink.close();
    // Read jpeg image into Buffer
    // id is zero based index of file to get.
    // Always starts at zero and increments by 1
    // Buffer is a jmf structure
    public void read(int id, Buffer buf) throws IOException
    byte b[] = getImageBytes(id);
    if (b == null)
    System.err.println("Done reading all images.");
    // We are done. Set EndOfMedia.
    buf.setEOM(true);
    buf.setOffset(0);
    buf.setLength(0);
    } else
    buf.setData(b);
    buf.setOffset(0);
    buf.setLength(b.length);
    buf.setFormat(format);
    buf.setFlags(buf.getFlags() | Buffer.FLAG_KEY_FRAME);
    }

  • The best way to make proxy files for editing?

    Hi,
    What is the best way to create proxy files for editing? I'm thinking Apple ProRes 422 (Proxy). The original material is DVCPRO HD 1080i50, shot on Panasonic P2 cards, and copied on to hard drives. But as there is about 400 hours of it, I desperately need to find a clever way to make smaller proxy files for editing.
    I would also like to make the proxies at a smaller resolution than 1080i for the editing process.
    I guess it's possible to import the media and then batch export it to the proxy format, but Is there a better way?

    I'm not able to ingest the material directly from the P2-folders as ProRes 422 (Proxy). No matter how much I change the import settings in "Log and transfer", it still ingests as DVCPRO HD 1080i50.
    Correct. DVCPRO HD P2 can only come in as DVCPRO HD. You can't transcode it. AVCIntra P2 is what you can bring in as ProRes. (Sorry Tom).
    I can of course transcode it form there to the proxy format and delete the ingested files,
    Why? Why do that? You have ingested all the files, right? You ALREADY HAVE THEM...right? Why not work with them? You obviously have the room (20TB). Why import all this, then now take the days it would require to make proxies?
    Making the ProRes-proxies directly from the P2-material seems more logical, or isn't it?
    DVCPRO HD P2 cannot come in as anything else, so the offline/online workflow for them doesn't work unless you import it all, then transcode to a smaller format...but then need to keep the originals online to relink to when you are done. If you wanted to do an offline/online, you needed to research this better...or test it...before you shot your hundreds of hours only to find that what you want to do won't work.
    Shane

  • What is the simplest way to make and upload video to YouTube?

    I’m a video novice trying to figure this out. We want to start making short customer testimonial videos and upload them to YouTube as part of a social media marketing campaign. I want to come up with a solution that is fast and easy, takes as little time as possible. On the recommendation of an associate I bought a Flip Video camera and that worked beautifully except for one problem, the audio volume of the recordings was ridiculously low. So am returning that.
    We have a Panasonic PV-GS65 and I can use that, but the only way I've figured out how to make a video there and get it onto my computer is to connect it to iMovie, let it play/load into iMovie, then from there I don’t know how to get it uploaded to YouTube but I'm guessing I have to do some formatting/compressing, then manually upload, and that is all way more hassle than I'm looking for.
    I LOVED the simplicity of the Flip Video approach. Shoot it, the camera directly in, select the video, push the upload button and it was done. If the audio quality was better I'd use that for sure.
    Any suggestions? If there’s something similar to Flip Video that I can buy cheap and use, I'll do it. If there’s an easy way to use our current camcorder, that’s fine too. But I can’t be messing around for 10-15 minutes trying to import, format and then upload this stuff. I have a business to run.
    Any suggestions would be GREATLY appreciated, thanks!

    that will work if necessary, but it still more steps and more time consuming than my ideal solution.
    Would love to find something that makes the process as simple as Flip Video does.
    Man, if their microphone was just a bit more sensitive, that solution would’ve been perfect.

  • What is the simplest way to make DVD now?

    For years I have used iDVD to distribute wedding videos. It was simple and have nice themed menus. What is the best way to do that now?  Can you still install iDVD or is something else better? I'm running 10.9.5 on a current Mac Book Pro.

    For years I have used iDVD to distribute wedding videos. It was simple and have nice themed menus. What is the best way to do that now?  Can you still install iDVD or is something else better? I'm running 10.9.5 on a current Mac Book Pro.

  • Whats the best way to make a slideshow DVD

    Hi, Finally I got my iMac the other day and have been playing around and trying to get the best out of it and was hoping to get some help from here. I have been playing with ilife on a friends mac for a while but never had a go in anger and now need some proper answers. Its quite simple. I create photo dvd slideshows and need to find the best way to do it. As far as I can tell there are a few ways. I can use imovie to get the running order - add the Ken Burns effects (that I DO need) - add music - add transitions and "share" to a .mov file and drag this into iDVD to put a menu on. Ok - this works but I get some MPEG artifacts (I know this is to be expected - I have been doing this for years on a PC). I can drag photos into iDVD but as far as I can tell I cannot have Ken Burns so this is out. I can use iPhoto to make a .mov file and again import this into iDVD. Am I missing something here? iMovie08 seems great and the .mov file is good enough quality to re-render in iDVD without losing too much quality so I guess this is the way to go but is there no way to go without rendering the .mov file and then going into iDVD? I have also used iMovie06 before and it had better transitions between photos - have these been lost in iMovie08?? I have set the quality in iMovie08 to "Profesional" but there stil seems to be a bit of artifacting. Should I try Toast?
    Apologies for the long post but am really keen to get this sorted. I have posted before on here and got great responses but just want to get it right 100% before putting lots of effort in. I have next week off work to perfect the photos to DVD slideshow before I start to try to sell these things! many many thanks.Ben

    I am still using my old 3 chip Sony TRV900 capturing to mindv tape and then importing that footage via FW into iM6 => iDVd'08. Frankly my own iDvd's look crisp and clean well over 90% of the time (But then again most my presentations are often under 60 mins duration in order to keep compression down to a minimum). They are well lit or often outdoors. And I avoid videotaping fast moving objects or panning the camera too quickly. I notice a significant quality shift (toward that of VHS quality ) if I shoot over 90-120 mins, & I often regret doing so since it requires the i-apps to work much harder and at times with marginal results.
    The trick I think is to keep it short and sweet and to avoid higher compression rates.
    That or move the video footage over to FCP => Compressor => DVDSP. But from experience I have found that anything over 90 mins. (regardless of the app I use) tends to look much like VHS quality..... disappointing to say the least in that jaggies begin to set in, and even tho I am using a 3 chip camera; color separation suffers greatly on a 2 hour standard DVD-R.
    I do not yet shoot HD nor do I own a Blueray Burner which is the very next step many of us will require of apple if and when we are to burn HD to disc. At the moment it's simply not supported on most macs. To date Blueray has not been widely incorporated into most macs either thru i-apps nor thru apple's pro apps from what I have observed.

  • Cansomeone please tell me what the simplest way is to backup your files from you Mac and then completely restore it back to when I first bought it? I do not want to download or purchase any software, and I would like to keep my important files-pics, music

    I just would like to completely reset my MAC. I dont want to have to download or purchase a software to download, and I dont quite understand what the time machine is supposed to do if you have not been told to use if before. Shouldn't mac have some type of in home software already installed? And how can I completely restore my mac back to its original system?

    1: Connect a external powered drive like a Firewire or USB drive. If you question the drive format or need to format it, first do that in Disk Utility before transfering any files to the drive. MSDOS, FAT32 or exFAT is best for any Windows or Mac to access the files.
    2: Transfer your files manually by dragging and dropping your Users Folders like Pictures, Movies, Documents and Music (do not use TimeMachine!!) Eject the drive and disconnect from the computer.
    3: Next insert the cd that came with your computer and reboot holding c
    4: Two screens in is a menu option called "Utilities" select Disk Utility.
    5: On the left is your internal boot drive, select it and Erase > Format HFS+ Journaled > Security Option > Zero All Data. Wait about a hour or so until it's finished.
    6: When it's done, quit and your back in the installer again, install OS X and when finished, shut down.
    The next time the computer reboots, it will go through the "welcome" video and the initial setup, just like a new Mac.

  • Whats the best way to get a description for a code

    Hi,
    What is the best way to find description for a code, when both of them resides in different table.I have to do this like 3 times for different codes.The code and description lies in differnt table.
    Can i use select statement.. if yes, what operator should i use?
    Thanks

    Hi,
    to do a lookup you may either use the Key Lookup Operator (it makes it easier to define default return values if the lookup fails) or a Joiner (to probably outer join your lookup table).
    If you have many lookups you can do them in one joiner instead of having a key lookup operator for every one of them to reduce the total number of operators in your mapping.
    Regards,
    Carsten.

  • Whats the best way to make a photo gallery?

    Hi there, im still building my first website and was wondering if you guys had any advice on building a gallery for about 40-50 photos. All apprearing as thumbnails then once you click they enlarge.
    Heres the page i want it to sit on http://www.rayoga.co.uk/gallery/index.html
    And ideally id like the image to open up on the same page, not a new window.
    Cheers
    Benn

    Hi there
    Just has a couple more questions as im still struggling to get this right.
    In jalbum when i am given the option to save gallery, do i save it in my root folder public_html?
    jalbum gives me the option to upload my album to the rayoga site. When i do this it asks for the location it would
    like the album uploaded to. Previously i have chosen the gallery folder, when i do this it gives me an example of what
    my url will be (www.rayoga.co.uk/gallery). Then when i view the gallery after uploading it, my template is gone and all i
    see is the gallery as it appears in jalbum, none of my dreamweaver stuff is there.
    So far i have 3 different location where things are happening for the gallery
    1.My gallery index.html in dreamweaver where my template is and the code -
    <iframe src="http://www.rayoga.co.uk/gallery/" frameborder="0" style="height:810px; width:900px;"></iframe>
    2.My root folder has the file gallery.***
    3.And the sever has the jalbum directly uploaded to it from jalbum
    Im really struggling with this and just dont know what to do anymore.
    Please could someone help me work out why this isnt working?

  • Whats the best size to make a video for the iTouch

    I am making some films for the iTouch and when I export them from final cut they have black lines down each side, I can zoom in but then they are cropped at the top. I want to reframe everything to frame it perfectly in final cut
    at the moment its High def dv pal,
    should I be editing it widescreen?
    how should I out put it (dont say iphone export that leaves the lines)
    should I deinterlace it?
    please help
    thanks a lot

    whats the max resolution the Touch supports?
    I was wanting to make video files to play on a Touch, PSP, iPod Classic. Is this possibel? what settings? and what app do you recommend please? I have a iMac and a PC
    cheers

  • Whats the best way to produce PDF output for Graphics

    Greetings;
    I posted something earlier which received no replys, so I figure I probably asked the wrong question.
    I have recently migrated an application over from Delphi and I have to admit that I'm not as familiar with using Java and Graphics as I wish I were - I'm learning fast though..
    Anyway I have an bufferedImage object in which I am drawing a few lines, pasting some text, and drawing circles and such. I currently am saving the file as a JPG using the following snippet of code:
        try
          FileOutputStream fos = new FileOutputStream(fileName);
          JPEGImageEncoder encoder = JPEGCodec.createJPEGEncoder(fos);
          encoder.encode(myBImage);
          fos.flush();
          fos.close();
        catch(Exception e)
          System.err.println(e.toString());
        }I've seen a few posts about PDF which all seem related to Text and printing as such - in fact the only post I've seen about converting a JPG to PDF seemed to circumvent the whole graphics object - which isn't a choice (I don't think it is) in my case.
    Can anyone just provide me the best direction to look for this?
    Thanks again;
    Eirik..

    Ouputing PDF manually can be large undertaking, i would recomend you refere to the many open source project of apache to use a pre-built method of output.
    jakarta.apache.org
    ( there are two projects that accomplish what you are trying to do .. i just cant remember their names off the top of my head. )

  • Simplest way to make an .ini

    What's the simplest way to make and use an .ini file
    that would contain data like
    param = value
    to be easily modified using every text editor?
    And would recognize specific comment tags or symbols?
    (ResourceBundle?)
    Thank you, Boris.

    World spins (but Holland spins faster)That's because we're nearer to the centre of the
    universe (which happens to be
    located in my garden where I happen to reside in the
    Summer season) right
    in the middle of my picknick table. It's one singular
    point where sirens, blue
    little smurfs, empty bottles, ballet dancers and
    everything else meets in a whirlpool
    of energy, the alpha and omega, all on top of my old
    picknick table.Sigh. Sounds WONDERFUL. I will just have to live with my little house on the edge of the mandelbrot set.
    >
    Sometimes I wonder how come I stayed so normal ;-)This is, definitely, the epitome of egocentricity.
    kind regards,And to you, good sir.
    Jos ( <--- the very normal keeper of the Grolsch)World spins
    RD-R
    � {�                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Whats the best way to create USER variable in BI Apps?

    I have just installled BI Apps and am trying to integrate EBS R12 with OBIEE 11g
    We have USER variable already defined in the BI Apps rpd.
    In EBS Security context init block i need to define USER variable, but when i define it... it says *'USER' has already been defined in the variable "Authentication"."USER"*
    Whats the best way to create USER variable for EBS Security Context init block?
    1) Delete the existing USER variable and then define a new one ( in this case all the places where USER variable is getting used in the rpd would become <missing>)
    And i was told that it should not be done.
    Let me know how can it be done.
    Thanks
    Ashish

    Disable existing Init block and then double click on USER variable and hit on NEW... button to create new Init block
    Thanks
    Edited by: Srini VEERAVALLI on May 1, 2013 4:18 PM

  • What is the simplest  way to get a xml-file from 10g R2 -database ?

    Hi,
    I'm new in xml, there are so many tools to work with xml:
    what is the simplest way to get a xml-file from 10g R2 -database ?
    I have : 10g R2 and a xsd.file to describe the xml-structure
    thank you
    Norbert

    There is no automatic way to generate XML documents from an arbitary set of relational tables using the information contained in an XML Schema. Typically the easiest way to generate XML from relational data is to use the SQL/XML operators (XMLElement, XMLAGG, XMLAttribtues, XMLForest). There are many examples of using these operators in the forums You can validate the generated XML against the XML Schema by registering the XML Schema with XML DB and then using the XMLType.SchemaValidate() method

  • I am moving from PC to Mac.  My PC has two internal drives and I have a 3Tb external.  What is best way to move the data from the internal drives to Mac and the best way to make the external drive read write without losing data

    I am moving from PC to Mac.  My PC has two internal drives and I have a 3Tb external.  What is best way to move the data from the internal drives to Mac and the best way to make the external drive read write without losing data

    Paragon even has non-destriuctive conversion utility if you do want to change drive.
    Hard to imagine using 3TB that isn't NTFS. Mac uses GPT for default partition type as well as HFS+
    www.paragon-software.com
    Some general Apple Help www.apple.com/support/
    Also,
    Mac OS X Help
    http://www.apple.com/support/macbasics/
    Isolating Issues in Mac OS
    http://support.apple.com/kb/TS1388
    https://www.apple.com/support/osx/
    https://www.apple.com/support/quickassist/
    http://www.apple.com/support/mac101/help/
    http://www.apple.com/support/mac101/tour/
    Get Help with your Product
    http://docs.info.apple.com/article.html?artnum=304725
    Apple Mac App Store
    https://discussions.apple.com/community/mac_app_store/using_mac_apple_store
    How to Buy Mac OS X Mountain Lion/Lion
    http://www.apple.com/osx/how-to-upgrade/
    TimeMachine 101
    https://support.apple.com/kb/HT1427
    http://www.apple.com/support/timemachine
    Mac OS X Community
    https://discussions.apple.com/community/mac_os

Maybe you are looking for

  • Please reply to this query asap

    Create a matrix query to display the job,salary for that job based on department number and the total salary for that job for all departments,giving each column an app: heading JOB DEPTNO(10) 20 30 SUM(SAL) ANALYST 0 100 0 100 SALARY AND JOB AND DEPT

  • Blank column in spread sheet when i am downloading?

    hai  fnds...any one help for the below issue   i have developed ALV report used ( layout also in that ).displaying 19 fields in the  output. but when i am downloading spread sheet iam getting one blank column in spread sheet.(but all 19 fields are co

  • Imessage will not activate iOS8

    okay so basically i've brought an iphone 6 on contract (vodafone) i wanted to keep my old number so i used their "keep my number" service online, ever since ive done that my imessage will not go through or any messages for that matter, imessage is st

  • ACS with Sidewinder G2

    I am trying to implement Radius (using ACS v3.2) on Secure Computing's Sidewinder G2. It appears I need a VSA (vendor specific attribute) to make it work properly. I have tried it with Radius (IETF) but no luck. Any suggestions on how I might go abou

  • Can't installed on Macintosh HD because Mac OS x version 10.9 or later is required

    I tried to download iPhoto app on this mac pro but it come pop say "We could not complete your purchase" iPhoto cant be installed on "Macintosh HD" because Mac OS X version 10.9 or later is required.. ??????  I already update version but still wont o