Quick image question

Hey i was just wondering if the graphics method drawImage(url, int, int, ImageObserver) is able to display png's. I need it to be able to use a format like png so things can be transparent.
Could some one just give me a quick list of image types it can handle?
thanks much!

drawImage doesn't take a url, it takes an image:
[http://java.sun.com/javase/6/docs/api/java/awt/Graphics.html#drawImage(java.awt.Image,%20int,%20int,%20java.awt.image.ImageObserver)]
On the other hand:
BufferedImage image = ImageIO.read(url);Reads the file formats documented here: [http://java.sun.com/javase/6/docs/api/javax/imageio/package-summary.html]

Similar Messages

  • Quick image question - clipping or windowing a section of a larger image

    I've forgotten what it's called, to search the documentation, so maybe someone here can help me to remember...
    I know it's a lot better to use one image, with clipping regions, rather than a lot of little images, so I've created a graphic which contains all of the 32x32 pixel images I want to use in my app. I can easily display the entire image, just fine and it's scaled properly.
    Now, how do I display a specific 32x32 pixel rect at a specified place on the main window, possibly displaying multiple copies of one or more of the smaller images at different places on the main window simultaneously. (like game pieces, or a terrain map).
    Code would be nice, but a pointer to the right documentation will be best. It seems I should be able to do this with one hidden window containing the graphic, and then multiple instances displayed in a separate main window.
    Do I need to use 2 windows, or can the image reside in memory and not be part of a view except when drawn on the main window?
    -Carl

    Found it!
    old
    http://developer.apple.com/documentation/graphicsimaging/conceptual/drawingwithq uartz2d/dqimages/dqimages.html
    simply add "/mac/library/" between developer.apple.com and documentation in the links!
    (someone tell Apple to tell their webservers to do this automagiccally It would save developers a lot of time!
    new
    http://developer.apple.com/mac/library/documentation/GraphicsImaging/Conceptual/ drawingwithquartz2d/dqimages/dqimages.html

  • Hi all .hope all is well ..A quick trim question

    Hi all
    Hope all is well ......
    I have a quick trim question I want to remove part of a string and I am finding it difficult to achieve what I need
    I set the this.setTitle(); with this
    String TitleName = "Epod Order For:    " + dlg.ShortFileName() +"    " + "Read Only";
        dlg.ShortFileName();
        this.setTitle(TitleName);
        setFieldsEditable(false);
    [/code]
    Now I what to use a jbutton to remove the read only part of the string. This is what I have so far
    [code]
      void EditjButton_actionPerformed(ActionEvent e) {
        String trim = this.getTitle();
          int stn;
          if ((stn = trim.lastIndexOf(' ')) != -2)
            trim = trim.substring(stn);
        this.setTitle(trim);
    [/code]
    Please can some one show me or tell me what I need to do. I am at a lose                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            

    there's several solutions:
    // 1 :
    //you do it twice because there's a space between "read" and "only"
    int stn;
    if ((stn = trim.lastIndexOf(' ')) != -1){
        trim = trim.substring(0,stn);
    if ((stn = trim.lastIndexOf(' ')) != -1){
          trim = trim.substring(0,stn);
    //2 :
    //if the string to remove is always "Read Only":
    if ((stn = trim.toUpperCase().lastIndexOf("READ ONLY")) != -1){
       trim = trim.substring(0,stn);
    //3: use StringTokenizer:
    StringTokenizer st=new StringTokenizer(trim," ");
        String result="";
        int count=st.countTokens();
        for(int i=0;i<count-2;i++){
          result+=st.nextToken()+" ";
        trim=result.trim();//remove the last spaceyou may find other solutions too...
    perhaps solution 2 is better, because you can put it in a separate method and remove the string you want to...
    somthing like:
    public String removeEnd(String str, String toRemove){
      int n;
      String result=str;
      if ((n = str.toUpperCase().lastIndexOf(toRemove.toUpperCase())) != -1){
       result= str.substring(0,stn);
      return result;
    }i haven't tried this method , but it may work...

  • Quick script question

    Hi all,
    Could anyone advise me if i can add anything within - header('Location: http://www.mysite.co.uk/thankyou.html'); in the script below so as the page
    re- directs back to the main index page after a few seconds ?
    Thankyou for any help.
    <?php
    $to = '[email protected]';
    $subject = 'Feedback form results';
    // prepare the message body
    $message = '' . $_POST['Name'] . "\n";
    $message .= '' . $_POST['E-mail'] . "\n";
    $message .= '' . $_POST['Phone'] . "\n";
    $message .= '' . $_POST['Message'];
    // send the email
    mail($to, $subject, $message, null, '');
    header('Location: http://www.mysite.co.uk/thankyou.html');
    ?>

    andy7719 wrote:
    Mr powers gave me that script so im rather confused at this point in time
    I don't think I "gave" you that script. I might have corrected a problem with it, but I certainly didn't write the original script.
    What you're using is far from perfect, but to suggest it would lay you open to MySQL injection attacks is ludicrous. For you to be prone to MySQL injection, you would need to be entering the data into a MySQL database, not sending it by email.
    There is a malicious attack known as email header injection, which is a serious problem with many PHP email processing scripts. However, to be prone to email header injection, you would need to use the fourth argument of mail() to insert form data into the email headers. Since your fourth argument is null, that danger doesn't exist.
    One thing that might be worth doing is checking that the email address doesn't contain a lot of illegal characters, because that's a common feature of header injection attacks. This is how I would tidy up your script:
    <?php
    $suspect = '/Content-Type:|Bcc:|Cc:/i';
    // send the message only if the E-mail field looks clean
    if (preg_match($suspect, $_POST['E-mail'])) {
      header('Location: http://www.example.com/sorry.html');
      exit;
    } else {
      $to = '[email protected]';
      $subject = 'Feedback form results';
      // prepare the message body
      $message = 'Name: ' . $_POST['Name'] . "\n";
      $message .= 'E-mail: ' . $_POST['E-mail'] . "\n";
      $message .= 'Phone: ' . $_POST['Phone'] . "\n";
      $message .= 'Message: ' . $_POST['Message'];
      // send the email
      mail($to, $subject, $message);
      header('Location: http://www.example.com/thankyou.html');
      exit;
    ?>
    Create a new page called sorry.html, with a message along the lines of "Sorry, there was an error sending your message". Don't put anything about illegal attacks. Just be neutral.
    By the way, when posting questions here, don't use meaningless subject lines, such as "Quick script question". If you're posting here, it's almost certain to be a question about a script. It doesn't matter whether it's quick. Use the subject line to tell people what it's about.

  • Quick background image question

    I think this is a simple question, but maybe it's not.
    Basically I want an image to behave like the background images on
    Prada.com. It scales based upon
    width and crops the height. It seems to be anchored to the
    top-right corner, unless you get fairly narrow then it isn't
    anchored anymore, and it stops scaling the image. I have two large
    displays and no matter how wide I stretch my window it just keeps
    scaling the image. How would I go about doing this?

    "rileyflorence" <[email protected]> wrote in
    message
    news:gf27fd$b22$[email protected]..
    >I think this is a simple question, but maybe it's not.
    Basically I want an
    > image to behave like the background images on
    http://www.prada.com. It
    > scales
    > based upon width and crops the height. It seems to be
    anchored to the
    > top-right
    > corner, unless you get fairly narrow then it isn't
    anchored anymore, and
    > it
    > stops scaling the image. I have two large displays and
    no matter how wide
    > I
    > stretch my window it just keeps scaling the image. How
    would I go about
    > doing
    > this?
    Look for scale9 in the help.
    HTH;
    Amy

  • Quick dumb image question

    I have a datagrid I want to display an image in. I got the
    image component created and in there. All works great, except the
    image are not scaling to the width and height I want. I am getting
    a 300px by (maybe) 10px image. How can I control the width, but let
    the height scale with it?
    <mx:Image source="/assets/property/{data.imageName}"
    verticalAlign="middle" width="300" horizontalAlign="left"
    scaleContent="false" maintainAspectRatio="true"/>

    "projectproofing" <[email protected]> wrote
    in message
    news:g8bq1g$pbq$[email protected]..
    >I have a datagrid I want to display an image in. I got
    the image component
    > created and in there. All works great, except the image
    are not scaling to
    > the
    > width and height I want. I am getting a 300px by (maybe)
    10px image. How
    > can I
    > control the width, but let the height scale with it?
    >
    > <mx:Image source="/assets/property/{data.imageName}"
    > verticalAlign="middle"
    > width="300" horizontalAlign="left" scaleContent="false"
    > maintainAspectRatio="true"/>
    have you tried setting variableRowHeight on the dg to true?

  • No image, just sound - also for Quick Time questions

    Hey everybody!!
    I am editing a movie on Final Cut Pro, and I use Quick Time Pro to capture the clips and source them to FCP. The type of recorder I am using is an HDV, and up to a couple of days ago, things ran smoothly.
    Then I started having problems with my Mac, of a different kind, and I had a friend of mine RESTORE my system. After that, I can't work on my film anymore, cause the Quick Time files from Capture Scratch only play sound, and have a blank screen. Every time I try to open them a window box appears, telling me that Quick Time is missing some components, and cannot play the clips properly. I tried downloading most of these programms, like Divx and On2, but the clips still can't play. I also tried erasing and re-installing Quick Time, but this doesn't seem to work either.
    I must have edited and delivered this video by tommorow, so what do I do??
    Please advise.
    Thanks.
    Stef.

    First, you should NOT be capturing your clips via QT Player - use FCP itself to capture. Otherwise you have no logging information. This is bound to create problems for you, and today's issue could be a byproduct of this workflow.
    Second, once your system was restored and updated, the system and FCP software versions are almost certainly different. Different versions of software produce different results, and one possible outcome is that you cannot view clips, as the codecs have changed. So - what version of OSX and FCP were you using before the restore, and what versions are you using now?

  • Editing & deleting images question

    hi. i'll preface this by saying i may need to tweak my workflow in regards to editing. in any case, so far the way i've edited was by creating a collection. once i add my selects to the collection, i still have tons of unwanted images left in the folder i would be editing from. is there a simple, quick way to erase the outs?
    thanks,
    april

    tina,
    i was thinking my question might not be clear. what i am doing is uploading images into a folder in my lightroom catalog. i then go to the folder and drag my selects into a new collection.
    i realize that the collection is virtual. i'm basically using the collection as a way to group my selects to show clients. my question is this: is there an easy way, once i have my selects in a collection, to somehow keep these images in the folder (which is to say, they would remain in their location on the hard drive) and discard the images i do not want (that i haven't included in the collection i created)?
    sorry for the confusion. maybe i should be editing differently?
    thanks,
    april

  • JButtons and images question

    hey sorry to disturb people
    quick question about JButtons i have created several buttons all have been cretaed using an ImageIcon, i would now like to be able to change the image on the button when triggered by another event, is there a such method ( a bit like setText) that will allow me to change the image on the button
    thanks very much for your time
    pants3uk

    Reading the API, I find:
    setIcon(..);

  • Quick Notation Question - Data Rates/Frame Rates/Interlacing

    Finally upgraded to a decent prosumer camera and I'm trying to decipher what the manual is telling me about the many different formats it shoots and and the associated options.  I keep seeing things like "There are two basic shooting modes: 720p and 1080i/p.", which I'm finding confusing.  In my understanding, the "p" in 720p means progressive video and the "i" in 1080i means interlaced.  So what do I make of 1080i/p?
    On top of this, my camera shoots in "native" mode, which drops duplicate frames used in "over 60" formats.  This will give me variations in the notation like:
    720/24pN
    720p Native 60 fps
    1080i/24p
    1080/24PN
    Can someone give me a quick primer about frame rate vs data rate and explain how to read these notations?  I'd appreciate it quite a bit.
    Thanks!

    There are so many cameras, capable of so many different formats that providing a manufacturer and model could be helpful in this discussion.
    Jim's answer is absolutely correct but I'm going to re-state for clarification.
    The i/p designation means you can chose to record as interlaced or progressive for a given resolution.
    It sounds like your camera is designed to "capture" images at 60 frames per second, selecting "native" mode means extra frames are deleted and only the desired frames, based on frame rate setting, are recorded to memory. The advantage of "native" @ 24fps is you save space on your memory card. The advantage of NOT using "native" mode is that all 60 frames per second are recorded, but the file metedata tells playback software to only show the frames needed for the specified frame rate (i.e. 24). Since all 60 frames per second are recorded, you use more memory but you also have the option of retrieving all the those frames, if you so desire, at a later time (i.e. for smoother slo-mo).
    To be honest I don't know what your spec of 1080i/24p means. If that is truly an option then I would guess it means it will record a 24p image but the metedata would indicate the file should playback at 30fps interlaced by adding the proper 3:2 pulldown. This would give you that "film" look in a broadcast compatible format.
    For the most part, you don't want use use any interlaced settings. Very few display devices still in use can properly display interlaced images. Interlacing is only required in some broadcast specifications.
    To answer the second part of your question;
    Frame rates are an indication of how many times the moving image is captured over a given period (per second). Higher frame rates means smoother, more "real life" motion. Data rates can generally be considered an indication of image or audio quality. Higher levels of compression result in lower data rates and (generally) lower quality. If squeezing more hours of footage on fewer memory cards is more important than getting the best image quality, choose a lower data rate. Higher frame rates (more images per second) inherently require a higher data rate to retain the same quality as fewer frames at a lower data rate.

  • Urgent help with quick translation questions

    Hello,
    I am somewhat new to Java. I have a translation to hand in in a few hours (French to English). Argh! I have questions on how I worded some parts of the translation (and also if I understood it right). Could you, great developers, please take a look and see if what I wrote makes sense? I've put *** around the words I wasn't sure about. If it sounds strange or is just plain wrong, please let know. I also separated two terms with a slash, when I was in doubt of which one was the best.
    Many thanks in advance.
    1) Tips- Always ***derive*** the exceptions java.lang.Exception and java.lang.RuntimeException.
    Since these exceptions have an excessively broad meaning, ***the calling layers will not know how to
    distinguish the message sent from the other exceptions that may also be passed to them.***
    2) The use of the finally block does not require a catch block. Therefore, exceptions may be passed back to the
    calling layers, while effectively freeing resources ***attributed*** locally
    3) TIPS- Declare the order for SQL ***statements/elements*** in the constant declaration section (private static final).
    Although this recommendation slightly hinders reading, it can have a significant impact on performance. In fact, since
    the layers of access to data are ***low level access***, their optimization may be readily felt from the user’s
    perspective.
    4) Use “inlining.”
    Inlining is a technique used by the Java compiler. Whenever possible, during compilation, the compiler
    copies the body of a method in place of its call, rather than executing a ***memory jump to the method***.
    In the example below, the "inline" code will run twice as fast as the ***method call***
    5)tips - ***Reset the references to large objects such as arrays to null.***
    Null in Java represents a reference which has not been ***set/established.*** After using a variable with a
    large size, it must be ***reassigned a null value.*** This allows the garbage collector to quickly ***recycle the
    memory allocated*** for the variable
    6) TIPS Limit the indexed access to arrays.
    Access to an array element is costly in terms of performance because it is necessary to invoke a verification
    that ***the index was not exceeded.***
    7) tips- Avoid the use of the “Double-Checked Locking” mechanism.
    This code does not always work in a multi-threaded environment. The run-time behavior ***even depends on
    compilers.*** Thus, use the following ***singleton implementation:***
    8) Presumably, this implementation is less efficient than the previous one, since it seems to perform ***a prior
    initialization (as opposed to an initialization on demand)***. In fact, at runtime, the initialization block of a
    (static) class is called when the keyword MonSingleton appears, whether there is a call to getInstance() or
    not. However, since ***this is a singleton***, any occurrence of the keyword will be immediately followed by a
    call to getInstance(). ***Prior or on demand initializations*** are therefore equivalent.
    If, however, a more complex initialization must take place during the actual call to getInstance, ***a standard
    synchronization mechanism may be implemented, subsequently:***
    9) Use the min and max values defined in the java.lang package classes that encapsulate the
    primitive numeric types.
    To compare an attribute or variable of primitive type integer or real (byte, short, int, long, float or double) to
    ***an extreme value of this type***, use the predefined constants and not the values themselves.
    Vera

    1) Tips- Always ***derive*** the exceptions java.lang.Exception and java.lang.RuntimeException.***inherit from***
    ***the calling layers will not know how to
    distinguish the message sent from the other exceptions that may also be passed to them.***That's OK.
    while effectively freeing resources ***attributed*** locally***allocated*** locally.
    3) TIPS- Declare the order for SQL ***statements/elements*** in the constant declaration section (private static final).***statements***, but go back to the author. There is no such thing as a 'constant declaration section' in Java.
    Although this recommendation slightly hinders reading, it can have a significant impact on performance. In fact, since
    the layers of access to data are ***low level access***, their optimization may be readily felt from the user’s
    perspective.Again refer to the author. This isn't true. It will make hardly any difference to the performance. It is more important from a style perspective.
    4) Use “inlining.”
    Inlining is a technique used by the Java compiler. Whenever possible, during compilation, the compiler
    copies the body of a method in place of its call, rather than executing a ***memory jump to the method***.
    In the example below, the "inline" code will run twice as fast as the ***method call***Refer to the author. This entire paragraph is completely untrue. There is no such thing as 'inlining' in Java, or rather there is no way to obey the instruction given to 'use it'. The compiler will or won't inline of its own accord, nothing you can do about it.
    5)tips - ***Reset the references to large objects such as arrays to null.***Correct, but refer to the author. This is generally considered bad practice, not good.
    Null in Java represents a reference which has not been ***set/established.******Initialized***
    After using a variable with a
    large size, it must be ***reassigned a null value.*** This allows the garbage collector to quickly ***recycle the
    memory allocated*** for the variableAgain refer author. Correct scoping of variables is a much better solution than this.
    ***the index was not exceeded.******the index was not out of range***
    The run-time behavior ***even depends on compilers.***Probably a correct translation but the statement is incorrect. Refer to the author. It does not depend on the compiler. It depends on the version of the JVM specification that is being adhered to by the implementation.
    Thus, use the following ***singleton implementation:***Correct.
    it seems to perform ***a prior initialization (as opposed to an initialization on demand)***.I would change 'prior' to 'automatic pre-'.
    ***this is a singleton***That's OK.
    ***Prior or on demand initializations***Change 'prior' to 'automatic'.
    ***a standard
    synchronization mechanism may be implemented, subsequently:***I think this is nonsense. I would need to see the entire paragraph.
    ***an extreme value of this type******this type's minimum or maximum values***
    I would say your author is more in need of a technical reviewer than a translator at this stage. There are far too serious technical errors in this short sample for comfort. The text isn't publishable as is.

  • Exporting Images Questions

    Hi,
    I basically understand all of LR except for the only part that matters - getting my images out of LR for various purposes such as standard printing, enlargements, work website, personal website (in the future), Facebook etc. I'll save most of my web-related questions for another thread.
    I don't have a printer, so I'm mostly interested in saving images to jpegs to take to a print shop (and possibly send online to some place like Shutterfly) and get them printed in good/high quality and untarnished (i.e. cropped or other manipulations by the print shop). I also live overseas in an undeveloped and unsophisticated country, so I have the language/concept challenge of explaining what I want to print shops. I'm having my own trouble with the concepts I also think in inches, but have to convert/work in cm.
    1) I'll start with the most dumb question. In the Export dialogue, is "Image Sizing" the physical size that I am trying to make the print?
    2) Is the aspect ratio affected by the Image Sizing settings? For example, if I have a 4:3 image but want it printed 4x6 inches or 5x7 or 8x10 etc. what happens in the Export dialogue? I think the image would get cropped, but I'm not sure
    3) What do I do for enlargements? For example, I want to make a 4x6 inch print and then a 20x30 inch print of the same image? What settings do I need to change? I assume with an enlarged image I need to be careful of exceeding the original file size. Next question...
    4) Is Image Sizing > "Don't Enlarge" the way to prevent the file size from exceeding the original file size? Or, is "Limit File Size to xxx" in File Settings the way to do this? I see no way  in LR of knowing what my original file size is; or what it is after some cropping - the file size changes after cropping, right?
    5) According to many (but not all), "Quality" in File Settings does not need to = 100. If I understand correctly, it's actually a 12-step scale that dramatically increases the file size in the last few steps of the scale with practically no discernible improvements. I wonder how the "Quality" setting might affect the print quality at various physical print sizes?  Should "Quality" be set differently for prints vs. web? I don't really know what the file size of the image is after exporting until I open the properties.
    6) A friend told me to just set print Resolution to 300 and web Resolution to 100 because it'll be easier to make calculations about pixels, image size and file sizes.
    My friend also showed me Photoshop (which I don't have), and it seemed easier to get information about physical size, pixels, image size etc. I also looked at the LR Print Module, but I don't see anything in the module that clarifies my confusion about the above questions. Maybe some answers above will also help me understand how to export/save/upload images for my web-related purposes.
    Ultimately, I think I'm trying to get a set of user presets for the various needs I might want and I apologize if I'm just not understanding the concepts or confusing them.
    Thanks
    Andrew

    Thank you Jim. It's getting me toward the right direction. I've been experimenting with all different types of export settings to try and learn what is happening in LR.
    I basically understand the concept of the # of pixels to print size.
    However, for example:
    1) I have an image from my OMD-EM1 that I shot in 4:3
    2) I crop it to 2x3/4x6 in the Develop module > Cropping Tool. (But, LR never shows the crop size or file size)
    3) I export it and set 6 inches by 4 inches in the Image Sizing dialog at 300 ppi
    (Let's leave Quality at 100 for ease)
    I fully understand that the image comes out at 1200x1800. The file size is 2.84 MB
    I can tell the print shop to print a 4x6 inch print. It won't be cropped and it should have good quality.
    4) Now I want a print of the same image at 20 inches x 30 inches (same aspect ratio and crop)
    5) I export it and set 30 inches by 20 inches in Image Sizing at 300 ppi (9000 by 6000 pixels)
    (Quality is the same at 100)
    The file size is now 37 MB. This is going to be a problem, right? Pixalation??
    If I go back to the original RAW file, the file size is 18 MB. Now, I have a file twice the size of the original.
    I was told that you don't ever want to exceed your original file size.
    If I drop the Quality to 90 and keep ppi at 300, then the file size is 16 MB.
    Or if I reduce the ppi to 150 (keeping Quality at 100), then the file size is about 10 MB.
    Is there going to be any difference in the final print?
    Btw, I don't see any way in LR to find out what my original file size is; my cropped file size or what my exported file size will be until after I export it and open the properties tab or scroll over it.
    I think Photoshop has a built-in print size/pixels/image size calculator.
    I have no idea what I would do if I manually cropped something to a non-typical aspect ratio and then wanted to print it. But, that's probably another topic/thread.
    Also, remember I live in Cambodia. I don't have the luxury of sending online to a quality print service or take to a real print shop. I have no idea what they use for printers here or how they set them up, but one problem is that they like to make everyone look "white"
    Thanks again and apologies again for not quite understanding.
    Andrew

  • AIR for iOS: Icons & Launch Image question

    Launch Image:
    AIR has been so changed since I used it last time, I can't really figure out anything, documentation is somewhat confusing to me. Could you anyone of you please answer my question? To some, it could be pretty simple.
    My app is exclusively for iPads, works only in Lanscape mode, so I've included 2 launch images, which name: Default.png & [email protected] (I named them after reading this: http://help.adobe.com/en_US/air/build/WS901d38e593cd1bac1e63e3d129907d2886-8000.html)
    When I copied final .ipa file to my iPad 2, well, its launch image appeared in Portrait mode! So, I'm totally confused as how many launch images I need to provide and what should be their name? I use Flash Professional CC to publish, I've included all the launch images in Publishing settings, so is there any order I need to follow or order in Included Files just does not metter? Please keep it in consideration that this app is only for iPads (specified in Publishing dialouge box) and works only in Landscape mode (both, left and right).
    Icons:
    I followed the above mentioned webpage and provided Flash Professional CC these icons: 29x29, 48x48, 50x50, 58x58, 72x72, 100x100, 144x144 & 1024x1024. I know 50x50 icon is created by AIR from 48x48, yet I provided it and 512x512 icon is only for development purpose, we need to manually provide it while uploading it to App Store, so I did not provide it.
    When I copied final .IPA to iTunes, iTunes does not show App Icon as it used to show for development-ipa. So, I just want to confirm is it normal or I missed something?
    Lastly, I copied final .IPA to my iPad 2, when I started it, I noticed that first it show the 'launch image' in Portrait mode (as mentioned above) and after may be 1-2 seconds, the launch image gone and it showed blank (black) screen untill my app started. The blank black screen showed up for 3-4 seconds. Is it normal?
    Thanks.

    Hey Yusuf,
    "Default.png" is a portrait mode image for iPhone, iPhone 3 and iPhone 3GS.
    For iPad 1, 2 & Mini you will need a 1024x768 image called "Default-Landscape.png".
    For iPad 3 and 4 you will need a 2048x1536 "[email protected]".
    So all you have to do is include these launch images in the publish settings and that's it, there is no special order and you do not require any other "Default" images other than those two. This should also resolve your blank screen problem.
    It's normal for release builds not to show their App icon in iTunes, you'll notice that when you right click and press "Get Info" on an app you should be able to see the icon.
    Hope that helps,
    O.

  • Fixing Text and Image questions

    Is there a way to make the back ground translucent so that
    you can vagly see the background image. Like some way to change the
    opacity in a container?
    How come when I create a div tage and insert a picture in
    there. I hit enter right after the picture to type in text there is
    spacing from the top of the picture to the top of the container? I
    want it so that top of the picture still remains flush. I can't
    figure out how to keep it there.The only soluction I came up with
    is to hit shift enter then type txt below. That keeps the container
    flush with the top. Oh I forgot to mention I also have it set to
    float left. Can someone help me with this problem.
    One last question. I have test on the left hand side of the
    page going down, in a menu fashing. I hit shift enter after each
    row so the spacing is somewhat close. But when I try to indent a
    row it indents the whole thing. Is there a way to just indent a row
    buy itself if the row was created using shift enter?
    Thanks for being so helpful :)

    >>How come when I create a div tage and insert a
    picture in there. I
    hit enter right after the picture to type in text there is
    spacing from
    the top of the picture to the top of the container?
    I'll guess that you're using design view. When you hit
    <enter> and your
    cursor is to the right of your image, Dreamweaver puts the
    image in <p>
    tags. <p> tags have an inherent margin, which is why
    you're seeing space
    above the image. You can add some css code to the head of
    your page (or
    add it to your external style sheet) as such -
    p {margin: 0;}
    >>I hit shift enter after each row so the spacing is
    somewhat close.
    Try using css to control your spacing, instead of using
    shift-enter.
    Likewise, you can also use css to take care of your indents.
    BUT...it would be good to see your page, instead of guessing
    how you
    have set things up. Do you have a link?

  • Image question for mouse over.

    I hope this is a simple question.  Can I place a 150px wide image on my page and when you mouse over have the same photo pop up that is 300 px wide?  I know I can swap the images if they are both 150 px.  But I want to see the larger photo with the mouseover can someone explain or show me where to learn how to do this if I can even do it? Maybe it is not mouseover image swap and it is called something else? Thanks in advance.

    tl1_mc.visible=tl2_mc.visible=tl3_mc.visible=false;
    for(var i:int=1;i<4;i++){
       this["tl"+i+"_mc"].addEventListener(MouseEvent.MOUSE_OVER,overtl);
       this["tl"+i+"_mc"].addEventListener(MouseEvent.MOUSE_OUT,offtl);
    function overtl(e:MouseEvent=null):void{
       var n:int=int(e.currentTarget.name.substr(2,1));
       this["tl"+n+"_mc"].visible=true;
    function offtl(e:MouseEvent=null):void{
       var n:int=int(e.currentTarget.name.substr(2,1));
       this["tl"+n+"_mc"].visible=false;

Maybe you are looking for

  • AP Divs

    www.graver-tank.com  is the  website.  On my project Summaries page, I have 3 separate images that  each need to be linked to their own pdf file. I set a rule for each one  as a DIV, but they still act as one when you click on the link.  Can  someone

  • I cant connect my ipad to itunes

    ipad make life easy for businesses people or students, they can carry to anywhere, its good size not heavy

  • JAXB object creation for common XML

    Hi, Does JAXB let us create common Java Objects for common XMLs. Consider the following scenirio: XML1.xml <xsd:schema> <xsd:import namespace="Commons" schemaLocation="Commons.xsd"/> <xsd:complexType name="ComplexElementType"> <xsd:sequence> <xsd:ele

  • Problem wiht 10.6.2 update, Dashboard, safari, and itunes dont work

    perhaps somebody could help me... I tried to install the snow leopard 10.6.2 update. it froze near the end. afterward, I restarted my computer only to find that itunes, safari and my dashboard, do not work. They each claim to "quit unexpectedly". Als

  • Using fn:nilled()

    Hi, I'm trying to get the "nil" status of some element in request, but I get false no matter what input was. In xquery editor I tried some simple things, like fn:nilled(<id xsi:nil="true" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"/>) but i