I can't access my camera with the camera button.  Only able to make videos.

I can't access my camera with the camera button.  Only able to make videos.

Could you have accidentally toggled the photo to video? In the lower right (usually) corner there's a little icon that has both film and video camera and a tiny slider between them. That's how you switch from one to the other.

Similar Messages

  • How can access my iphone 5 when my home button and my lock button are both broken? Can I turn it on with the volume button?

    Can I set it up so my screen turns on when I change the volume? Can I use something else? PLEASE HELP ME! I already tried to call apple when my screen cracked and they said that they can't do anything about it without charging me at least 200 dollars.

    You can get one for around $50 I think. I know it's expensive, but it's better than paying $200 to Apple.
    If you aren't able to get the case, you can turn it on by plugging it in for just a moment to any power source. You can't turn it on using the volume buttons.

  • Can i access ISA-Cards with the MH-DDK

    ok the basic problemis the following (i posted that already & thx to todd..)
    i want to access the 8253 timer on a (ISA) PC-DIO-96 card, which is not possible from NIDAQ.
    now i want to write my own device driver (i dont actually want, but i guess theres no other way)
    the MH-DDK is, afaik, based on VISA, which afaik is supposed to work with PCI/PXI cards.
    now - how do i access non-PCI (ISA) cards with the DDK?
    thx

    Greetings,
    It is not possible to use the Measurement Hardware DDK with your PC-DIO-96. You will need to use traditional register-level programming. The user manual for your board has a section that describes this process. I have included links to these manuals below (I was not sure if your PC-DIO-96 is PnP or not).
    PC-DIO-96/PnP User Manual
    PC-DIO-96 User Manual
    Good luck with your application.
    Spencer S.

  • Can I create a cert with the Java API only?

    I'm building a client/server app that will use SSL and client certs for authenticating the client to the server. I'd like for each user to be able to create a keypair and an associated self-signed cert that they can provide to the server through some other means, to be included in the server's trust store.
    I know how to generate a key pair with an associated self-signed cert via keytool, but I'd prefer to do it directly with the Java APIs. From looking at the Javadocs, I can see how to generate a keypair and how to generate a cert object using an encoded representation of the cert ( e.g. java.security.cert.CertificateFactory.generateCertififcate() ).
    But how can I create this encoded representation of the certificate that I need to provide to generateCertificate()? I could do it with keytool and export the cert to a file, but is there no Java API that can accomplish the same thing?
    I want to avoid having the user use keytool. Perhaps I can execute the appropriate keytool command from the java code, using Runtime.exec(), but again a pure java API approach would be better. Is there a way to do this all with Java? If not, is executing keytool via Runtime.exec() the best approach?

    There is no solution available with the JDK. It's rather deficient wrt certificate management, as java.security.cert.CertificateFactory is a factory that only deals in re-treads. That is, it doesn't really create certs. Rather it converts a DER encoded byte stream into a Java Certificate object.
    I found two ways to create a certificate from scratch. The first one is an all Java implementation of what keytool does. The second is to use Runtime.exec(), which you don't want to do.
    1. Use BouncyCastle, a free open source cryptography library that you can find here: http://www.bouncycastle.org/ There are examples in the documentation that show you how to do just about anything you want to do. I chose not to use it, because my need was satisfied with a lighter approach, and I didn't want to add a dependency unnecessarily. Also Bouncy Castle requires you to use a distinct version with each version of the JDK. So if I wanted my app to work with JDK 1.4 or later, I would have to actually create three different versions, each bundled with the version of BouncyCastle that matches the version of the target JDK.
    2. I created my cert by using Runtime.exec() to invoke the keytool program, which you say you don't want to do. This seemed like a hack to me, so I tried to avoid it; but actually I think it was the better choice for me, and I've been happy with how it works. It may have some backward compatibility issues. I tested it on Windows XP and Mac 10.4.9 with JDK 1.6. Some keytool arguments changed with JDK versions, but I think they maintained backward compatibility. I haven't checked it, and I don't know if I'm using the later or earlier version of the keytool arguments.
    Here's my code.
    import java.io.File;
    import java.io.FileInputStream;
    import java.io.FileOutputStream;
    import java.io.IOException;
    import java.security.KeyStore;
    import java.security.KeyStoreException;
    import java.security.NoSuchAlgorithmException;
    import java.security.cert.CertificateException;
    import javax.security.auth.x500.X500Principal;
    import javax.swing.JOptionPane;
    public class CreateCertDemo {
         private static void createKey() throws IOException,
          KeyStoreException, NoSuchAlgorithmException, CertificateException{
         X500Principal principal;
         String storeName = ".keystore";
         String alias = "keyAlias";
         principal = PrincipalInfo.getInstance().getPrincipal();
         String validity = "10000";
         String[] cmd = new String[]{ "keytool", "-genKey", "-alias", alias, "-keyalg", "RSA",
            "-sigalg", "SHA256WithRSA", "-dname", principal.getName(), "-validity",
            validity, "-keypass", "keyPassword", "-keystore",
            storeName, "-storepass", "storePassword"};
         int result = doExecCommand(cmd);
         if (result != 0){
              String msg = "An error occured while trying to generate\n" +
                                  "the private key. The error code returned by\n" +
                                  "the keytool command was " + result + ".";
              JOptionPane.showMessageDialog(null, msg, "Key Generation Error", JOptionPane.WARNING_MESSAGE);
         KeyStore ks = KeyStore.getInstance(KeyStore.getDefaultType());
         ks.load(new FileInputStream(storeName), "storePassword".toCharArray());
            //return ks from the method if needed
    public static int doExecCommand(String[] cmd) throws IOException{
              Runtime r = Runtime.getRuntime();
              Process p = null;
              p = r.exec(cmd);
              FileOutputStream outFos = null;
              FileOutputStream errFos = null;
              File out = new File("keytool_exe.out");
              out.createNewFile();
              File err = new File("keytool_exe.err");
              err.createNewFile();
              outFos = new FileOutputStream(out);
              errFos = new FileOutputStream(err);
              StreamSink outSink = new StreamSink(p.getInputStream(),"Output", outFos );
              StreamSink errSink = new StreamSink(p.getErrorStream(),"Error", errFos );
              outSink.start();
              errSink.start();
              int exitVal = 0;;
              try {
                   exitVal = p.waitFor();
              } catch (InterruptedException e) {
                   return -100;
              System.out.println (exitVal==0 ?  "certificate created" :
                   "A problem occured during certificate creation");
              outFos.flush();
              outFos.close();
              errFos.flush();
              errFos.close();
              out.delete();
              err.delete();
              return exitVal;
         public static void main (String[] args) throws
              KeyStoreException, NoSuchAlgorithmException, CertificateException, IOException{
              createKey();
    import java.io.BufferedReader;
    import java.io.IOException;
    import java.io.InputStream;
    import java.io.InputStreamReader;
    import java.io.OutputStream;
    import java.io.PrintWriter;
    //Adapted from Mike Daconta's StreamGobbler at
    //http://www.javaworld.com/javaworld/jw-12-2000/jw-1229-traps.html?page=4
    public class StreamSink extends Thread
        InputStream is;
        String type;
        OutputStream os;
        public StreamSink(InputStream is, String type)
            this(is, type, null);
        public StreamSink(InputStream is, String type, OutputStream redirect)
            this.is = is;
            this.type = type;
            this.os = redirect;
        public void run()
            try
                PrintWriter pw = null;
                if (os != null)
                    pw = new PrintWriter(os);
                InputStreamReader isr = new InputStreamReader(is);
                BufferedReader br = new BufferedReader(isr);
                String line=null;
                while ( (line = br.readLine()) != null)
                    if (pw != null)
                        pw.println(line);
                    System.out.println(type + ">" + line);   
                if (pw != null)
                    pw.flush();
            } catch (IOException ioe)
                ioe.printStackTrace(); 
    import java.io.File;
    import java.io.FileInputStream;
    import java.io.FileNotFoundException;
    import java.io.FileOutputStream;
    import java.io.IOException;
    import javax.security.auth.x500.X500Principal;
    public class PrincipalInfo {
         private static String defInfoString = "CN=Name, O=Organization";
         //make it a singleton.
         private static class PrincipalInfoHolder{
              private static PrincipalInfo instance = new PrincipalInfo();
         public static PrincipalInfo getInstance(){
              return PrincipalInfoHolder.instance;
         private PrincipalInfo(){
         public X500Principal getPrincipal(){
              String fileName = "principal.der";
              File file = new File(fileName);
              if (file.exists()){
                   try {
                        return new X500Principal(new FileInputStream(file));
                   } catch (FileNotFoundException e) {
                        // TODO Auto-generated catch block
                        e.printStackTrace();
                        return null;
              }else{
                   return new X500Principal(defInfoString);
         public void savePrincipal(X500Principal p) throws IOException{
              FileOutputStream fos = new FileOutputStream("principal.der");
              fos.write(p.getEncoded());
              fos.close();
    }Message was edited by:
    MidnightJava
    Message was edited by:
    MidnightJava

  • Can't stop GlassFish 3 with the red button on the console view

    Unlike Tomcat and JBoss AS, I cannot stop GlassFish with the big red button.
    It's enabled so that's fine.
    I press it and I get the error dialog "VM does not support termination."
    Huh. I'm sure my OS supports kill -9...
    I have to hunt around for the server view and shut it down that way. Very annoying.
    First, the button is enabled so I expect it to work.
    Second, I like being able to test abnormal termination during development by just killing the VM hard -- production isn't forgiving, neither should development.
    Where's the right place to file this kind of bug in OEPE? I could not find a link to the bug system if there is a public one.
    Eclipse Reporting (JEE+BIRT) Helios SR1 with OEPE 1.6.0.201007071726
    Happens with GlassFish 3.0.1 and 3.1

    Hi,
    The script that is used in Eclipse to start GlassFish is 'asadmin start-domain' which ends when the server is up and running.... It has a log viewer/content different than the GF log viewer.
    Terminating this script does not terminate the server...Not sure why/how the red button in the console view is enabled/disabled. Might be the standard behavior delivered in the generic server support (WTP)?
    Only the red button on the server view does the correct stop of the GlassFish server.
    Ludo

  • I have problem with the home button it is no function after i un plug the from usb any can help, I have problem with the home button it is no function after i un plug the from usb any can help

    any one can help problem of home button ... is snice download the ios5 the home button got problem.But when using the USB there is no problem

    Look at iOS Troubleshooting Wi-Fi networks and connections  http://support.apple.com/kb/TS1398
    iPad: Issues connecting to Wi-Fi networks  http://support.apple.com/kb/ts3304
    Additional things to try.
    Try this first. Turn Off your iPad. Then turn Off (disconnect power cord) the wireless router & then back On. Now boot your iPad. Hopefully it will see the WiFi.
    Change the channel on your wireless router. Instructions at http://macintoshhowto.com/advanced/how-to-get-a-good-range-on-your-wireless-netw ork.html
    How to Quickly Fix iPad 3 Wi-Fi Reception Problems
    http://osxdaily.com/2012/03/21/fix-new-ipad-3-wi-fi-reception-problems/
    If none of the above suggestions work, look at this link.
    iPad Wi-Fi Problems: Comprehensive List of Fixes
    http://appletoolbox.com/2010/04/ipad-wi-fi-problems-comprehensive-list-of-fixes/
    Fix iPad Wifi Connection and Signal Issues  http://www.youtube.com/watch?v=uwWtIG5jUxE
     Cheers, Tom

  • Why is the "Delete" and "Junk" buttons repleased with the "Archive" button (Only for one of the accounts)?

    Hello,
    I must have changed a setting, so that the "Delete" and "Junk" buttons above the mail pane have disappeared, and an "Archive" button has appeared instead. This is true only for my mail through Gmail (IMAP), but when i open a mail from my other account (POP), i still see the "Delete" and "Junk" buttons.
    How can I fix this?
    Thanks in advance
    Ayse

    Try this:
    Select an email that does not show all the correct buttons in the header information section above the actual message.
    right click on the blank area just above 'Other Actions', you should get a popup saying 'Customise'.
    click on 'Customise'
    a new window opens.
    you can drag items onto that header area, but I would suggest you click on 'Restore Default Set' button and then clickon 'Done' button.

  • I can't access Tiscali webmail with the updated Firefox

    I updated Firefox today and now I cannot access my emails in Talktalk/Tiscali. This is the message I am getting
    "Hello !
    You have undefined new mails in your inbox."
    Whose fault is it and how can I get rid of the problem?

    Could you have accidentally toggled the photo to video? In the lower right (usually) corner there's a little icon that has both film and video camera and a tiny slider between them. That's how you switch from one to the other.

  • I'm not sure I have iCloud on, and my iPad is showing the usb cord, along with the iTunes logo, only able to shut off. Turned it back on, same logo and usb cord. Help?

    I was trying to get the new iOS update, and the iPad froze. I've seen others who have the same problem, but they had the iCloud and things like that. I have a few stories on there, and I'm not about ready to lose them, as I was stupid enough to not transfer them to my computer or anywhere else.
    I went onto iTunes, hoping it would do that "restore iPad" thing, but so far, nope. I think it'd be fair to also inform that my iPad has been that was for three days, and I'm at a loss at what else to do. Can someone please, please help? Lord knows I need it...

    recovery mode
    open itunes on computer
    plug cable into computer not phone
    turn phone off
    hold home button and plug cable into phone.  do not release home button until an itunes graphic appears on device.
    look to computer shold have message about recovery mode click ok and restore
    Peace, Clyde
    if u need an article see
    http://support.apple.com/kb/HT1808

  • I can no longer download photos to my ipad with the camera attachment. the message says thats its using too much power. i have a 100% charge and i used it before and it worked fine.

    I can no longer upload photos with the camera attachment. I am getting an error saying the device uses too much power. I have used the device before. Is there anything that can be done to fix this problem?

    You don't actually say what the problem is, but maybe this can help:
    USB and Firewire information:
    http://support.apple.com/kb/HT1151?viewlocale=en_US
    http://support.apple.com/kb/HT4049?viewlocale=en_US

  • Canon EOS Rebel T3. Need editing program that came with this camera.

    I have Canon Rebel T3. Recently I had computer problems and my programs were wiped out.
    It is not the driver for the camera, but the editing program that came with the camera, where files were placed, cropped, sorted, etc. I have searched everywhere for this and cannot find it.Help

    Here:
    http://www.usa.canon.com/cusa/consumer/products/cameras/slr_cameras/eos_rebel_t3_18_55mm_is_ii_lens_kit#DriversAndSoftware

  • Only had my iPhone 5 a week and already I'm having trouble with the home button? Any soloutions

    Only had my iPhone 5 a week and already I'm having trouble with the home button? Any soloutions

    Sure. Take it back. If you got it from new it has a warranty.
    Or describe the problem fully in case we can help.  "Having trouble with the Home button" doesn't give much of a clue....

  • 1. I have an iPod which has purchases synced with I tunes with an apple ID. I now have an iPad with a new ID for cloud. I have cloud storage capacity of 5gb which came with the iPad. How can I use one ID and store my existing music in cloud?

    1. I have an iPod which has purchases synced with I tunes with an apple ID. I now have an iPad with a new ID for cloud. I have cloud storage capacity of 5gb which came with the iPad. How can I use one ID and store my existing music in cloud?

    HI Frostyfrog
    CHeck out iTunes Match which has an annual fee of £21 or thereabouts. You can store a maximum of 25,000 songs there and they all become available on your other kit, iPhone, iPad and iPod. I know it works as I have over 23000 songs uploaded of which only a few we're bought through iTunes.
    it works by comparing your music to the whole iTunes music dadata base so you access the same tunes that you could get from iTunes. If you have obscure stuff, it uploads your own music to the cloud as a copy.
    I Find it incredible that on my iPhone with its 16gb memory I can view almost 200 gb of music (ie my 23000 songs) and play any of them. Anything I add to iTunes becomes available via the cloud fairly quickly from a few minutes or a little longer if adding a lot.
    The first time you use it it will take quite a while to match your music if you have a lot, but after that it is all automatic. Read the stuff on the apple site. Your PC needs to be at least running Vista. I recommend it and at less than 50p a week it's good value.
    Good luck

  • I have a pioneer 50 inch plasma   I purchased new from the company back in 2005.   I tried to hook up an Apple Tv to the pioneer receiver that came with the TV.   I can not get it to work.   The receiver has two HDMI  inputs in the back.

    I have a pioneer 50 inch plasma + I purchased new from the company back in 2005.   I tried to hook up an Apple Tv to the pioneer receiver that came with the TV.   I can not get it to work.
    The receiver has two HDMI  inputs in the back.  However they say they are not for PC's.  Furthermore they must be set up by going to the home menu.    I tried everything, but I can not get the receiver to talk to the Apple TV. I even tried a connector that uses an HDMI to the Apple TV that has the other side of the cable as 5 RCA cables.  I could not get the receiver to see the Apple TV.   I have a newer TV in the house, it has no problem talking with the Apple TV.  But this older system seems to be handicapped in its ability to talk with the newer Apple TV system.
    My Email is [email protected] 
    Do you have any suggestions
    Thanks
    Bob

    I could not access the Apple TV on the television.   If I put the Apple TV directly into by TV, I have an external sound system (entertainment system), therefore I worry that I would by pass the audio.
    Thanks for taking your time to attempt to help!   Any more suggestions would be greatly appreciated.
    Bob

  • How can i get apple to understand this is an authorize cord?  It's the cord that came with the phone.

    How can i get apple to understand this is an authorize cord?  It's the cord that came with the phone.

    cheriefromcatawba wrote:
    How can i get apple to understand this is an authorize cord?  It's the cord that came with the phone.
    Is that what Apple told you when you took your phone and usb cord to the store?

Maybe you are looking for

  • Skip inspection at the time of Goods Receipt

    I want to skip inspection since it has been done at source. How can I do it at the time of GR ? I know about activating indicator 'Source Inspection - No GR', but I don't find it in MIGO screen.

  • Types of web reports

    Hi gurus, What are the types of web reports we have? Where do you specify them, Is it some sort of property setting? i'll asign points. regards priya

  • How do I fix this error when I am reading the pdf?

    See attached imageI don;t want to have the boxes with x's , can someone tell me how to get rid of these stuff?

  • Formatted search authorization

    hi. i have created a normal user ap. ap has full authorization for "define formatted search". when ap logs in and tries to do formatted search on the warehouse feild in A/R Invoice, the message is that he is not permitted to perform the action. what

  • Why does pprocs6 crash when i move clips in timeline??? [ error: ... linkcontainer.cpp-245 ]

    I am currently editing a short film which is only about 25-30mins long with nothing out of the ordinary in the timeline. There are a couple of nested sequences but most of it is .MTS (AVCHD from Sony NEX VG20) and .WAV files for audio (inc some 5.1 a