How to input video files into IMAQ VIs

I have existing mp2 video files (which I could easily convert to other formats) that I would like to input into IMAQ 6.0 VIs to analyze, one frame at a time. Is there a way to grab frames from a video file (without grabbing hardware) to analyze with IMAQ?

There is an example posted on Developer Zone that will allow you to read back and analyze individual frames from an AVI file (search for IMAQ AVI Read Write Example). If you can convert your MPEG files into AVI files, you should have no problem analyzing the images using IMAQ Vision.
Bear in mind that the MPEG file formats use lossy compression - that is information present within the original images will be lost as part of the MPEG compression process. This may affect the quality of the images that you will be analyzing with IMAQ Vision.
NI has never directly supported the analysis of "movie" files for this reason (the use of compression in the file generation process). The IMAQ Vision software tools are generally targetted towards "machine vision applicati
ons" i.e. where the camera is connected directly to a frame grabber and then processed in software. That being said, I've used this example previously and it should prove a good starting point for your work.

Similar Messages

  • How to import video files  into BLOB datatypes

    Dear ,
    Can any one help me to find out the way throuh which i insert video files into tables using BLOB data type.
    Faheem Latif
    Team Lead - Lease Soft
    NetSol Technologies Limited Pakistan.
    www.netsoltek.com, www.leasesoft.biz

    http://www.oracle-base.com/articles/8i/ImportBlob.php
    This is to import any BLOB file onto table column.
    Cheers
    Sarma.

  • How to input sound file into MS Access Database, not random folder?

    Hi, I am trying to input a sound file into an MS Access 2000 database, I know it can be copied and pasted into there, but how can u input into the database with a user record, i also need the code to extract it as well as inputting it....at the moment it records the sound and stores it as test.wav on the local drive....
    here is my code for my applet do far....
    compile this file first....
    import java.applet.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import javax.swing.*;
    import java.io.IOException;
    import java.io.File;
    import java.net.URL;
    import javax.sound.sampled.DataLine;
    import javax.sound.sampled.TargetDataLine;
    import javax.sound.sampled.AudioFormat;
    import javax.sound.sampled.AudioSystem;
    import javax.sound.sampled.AudioInputStream;
    import javax.sound.sampled.LineUnavailableException;
    import javax.sound.sampled.AudioFileFormat;
    public class VoicePasswordRecorder extends Thread {
         private TargetDataLine m_line;
         private AudioFileFormat.Type m_targetType;
         private AudioInputStream m_audioInputStream;
         private File m_outputFile;
         public VoicePasswordRecorder(TargetDataLine line,
                             AudioFileFormat.Type targetType,
                             File file)
              m_line = line;
              m_audioInputStream = new AudioInputStream(line);
              m_targetType = targetType;
              m_outputFile = file;
         /** Starts the recording.
             (i) The line is started,
              (ii) The thread is started,
         public void start()
              /* Starting the TargetDataLine. It tells the line that
                 data needs to be read from it. If this method isn't
                 called then it won't be able to read data from the line.
              m_line.start();
              /* Starting the thread. This call results in the
                 method 'run()'being called. There, the
                 data is actually read from the line.
              super.start();
         /** Stops the recording.
             Note that stopping the thread is not necessary. Once
             no more data can be read from the TargetDataLine, no more data
             can be read from the AudioInputStream. The method 'AudioSystem.write()'
             (called in 'run()' returns. Returning from 'AudioSystem.write()'
             is followed by returning from 'run()', and then the thread
             stops automatically.
         public void stopRecording()
              m_line.stop();
              m_line.close();
         /** Main working method.
             'AudioSystem.write()' is called.
              Internally, it works like this: AudioSystem.write()
             contains a loop that is trying to read from the passed
             AudioInputStream. Since there is a special AudioInputStream
             that gets data from a TargetDataLine, reading from the
             AudioInputStream leads to reading from the TargetDataLine. The
             data read this way is then written to the passed File. Before
             writing of audio data starts, a header is written according
             to the desired audio file type. Reading continues until no
             more data can be read from the AudioInputStream. In this case,
             it happens if no more data can be read from the TargetDataLine.
             This happens if the TargetDataLine is stopped. Then,
             the file is closed and 'AudioSystem.write()' returns.
         public void run()
                   try
                        AudioSystem.write(
                             m_audioInputStream,
                             m_targetType,
                             m_outputFile);
                   catch (IOException e)
                        e.printStackTrace();
         public static void main(String[] args)
              if (args.length != 1 || args[0].equals("-h"))
                   printUsageAndExit();
              /* There is only one command line argument.
                 This is taken as the filename of the soundfile
                 to store to.
              String     strFilename = args[0];
              File     outputFile = new File(strFilename);
              /* For simplicity, the audio data format used for recording
                 is hardcoded here. The PCM 44.1 kHz, 16 bit signed,
                 stereo was used.
              AudioFormat     audioFormat = new AudioFormat(
                   AudioFormat.Encoding.PCM_SIGNED,
                   44100.0F, 16, 2, 4, 44100.0F, false);
              /* Here, the TargetDataLine is being received. The
                 TargetDataLine is used later to read audio data from it.
                 If requesting the line was successful, it will open it.
              DataLine.Info     info = new DataLine.Info(TargetDataLine.class, audioFormat);
              TargetDataLine     targetDataLine = null;
              try
                   targetDataLine = (TargetDataLine) AudioSystem.getLine(info);
                   targetDataLine.open(audioFormat);
              catch (LineUnavailableException e)
                   out("unable to get a recording line");
                   e.printStackTrace();
                   System.exit(1);
              AudioFileFormat.Type     targetType = AudioFileFormat.Type.WAVE;
              /* The creation of the VoicePasswordRecorder object.
                 It contains the logic of starting and stopping the
                 recording, reading audio data from the TargetDataLine
                 and writing the data to a file.
              VoicePasswordRecorder     recorder = new VoicePasswordRecorder(
                   targetDataLine,
                   targetType,
                   outputFile);
              /* It is waiting for the user to press ENTER to
                 start the recording.
              out("Press ENTER to start the recording.\n");
              try
                   System.in.read();
              catch (IOException e)
                   e.printStackTrace();
              /* Here, the recording is actually started.
              recorder.start();
              out("Recording...\n");
              /* It is waiting for the user to press ENTER,
                 this time to signal that the recording should be stopped.
              out("Press ENTER to stop the recording.\n");
              try
                   System.in.read();
              catch (IOException e)
                   e.printStackTrace();
              /* Here, the recording is actually stopped.
              recorder.stopRecording();
              out("Recording stopped.\n");
         private static void printUsageAndExit()
              out("VoicePasswordRecorder: usage:");
              out("\tjava VoicePasswordRecorder -h");
              out("\tjava VoicePasswordRecorder <audiofile>");
              System.exit(0);
         private static void out(String strMessage)
              System.out.println(strMessage);
    import java.awt.*;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.io.*;
    import javax.sound.sampled.*;
    import javax.swing.*;
    public class AppletTest extends JApplet
        implements ActionListener
        public AppletTest()
            comp = null;
            startrecording = null;
            stoprecording = null;
            recorder = null;
        public void init()
            Panel panel = new Panel(new FlowLayout(1));
            comp = new JTextArea(50, 50);
            comp.setPreferredSize(new Dimension(50, 50));
            comp.setEditable(false);
            JButton startrecording = new JButton("Start");
            JButton stoprecording = new JButton("Stop");
            comp.append("Please record your Voice Password...\n");
            GridBagLayout gridbag = new GridBagLayout();
            GridBagConstraints c = new GridBagConstraints();
            getContentPane().setLayout(gridbag);
            c.weightx = 1.0D;
            c.weighty = 1.0D;
            gridbag.setConstraints(comp, c);
            gridbag.setConstraints(panel, c);
            getContentPane().add(comp, c);
            getContentPane().add(panel, c);
            c.weightx = 0.0D;
            c.weighty = 0.0D;
            startrecording.setEnabled(true);
            stoprecording.setEnabled(true);
            startrecording.addActionListener(this);
            gridbag.setConstraints(startrecording, c);
            getContentPane().add(startrecording, c);
            stoprecording.addActionListener(this);
            gridbag.setConstraints(stoprecording, c);
            getContentPane().add(stoprecording, c);
            int width = 300;
            int height = 200;
            setSize(width, height);
            setVisible(true);
            boolean looping = false;
        public void actionPerformed(ActionEvent ae)
            if(ae.getActionCommand().equals("Start"))
                createRecorder();
                recorder.start();
                System.out.println("Start Button Clicked");
            } else
            if(ae.getActionCommand().equals("Stop"))
                recorder.stopRecording();
                System.out.println("Stop Button Clicked");
        private void createRecorder()
            String strFilename = "C:\test.wav";
            File outputFile = new File(strFilename);
            AudioFormat audioFormat = new AudioFormat(javax.sound.sampled.AudioFormat.Encoding.PCM_SIGNED, 44100F, 16, 2, 4, 44100F, false);
            javax.sound.sampled.DataLine.Info info = new javax.sound.sampled.DataLine.Info(javax.sound.sampled.TargetDataLine.class, audioFormat);
            TargetDataLine targetDataLine = null;
            try
                targetDataLine = (TargetDataLine)AudioSystem.getLine(info);
                targetDataLine.open(audioFormat);
            catch(LineUnavailableException e)
                comp.append("unable to get a recording line\n");
                e.printStackTrace();
                System.exit(1);
            javax.sound.sampled.AudioFileFormat.Type targetType = javax.sound.sampled.AudioFileFormat.Type.WAVE;
            recorder = new SimpleAudioRecorder(targetDataLine, targetType, outputFile);
            comp.append("Press ENTER to start the recording.\n");
            try
                System.in.read();
            catch(IOException e)
                e.printStackTrace();
            comp.append("Recording...\n");
            comp.append("Press ENTER to stop the recording.\n");
            try
                System.in.read();
            catch(IOException e)
                e.printStackTrace();
            comp.append("Recording stopped.\n");
        private JTextArea comp;
        private JButton startrecording;
        private JButton stoprecording;
        private SimpleAudioRecorder recorder;
    }I intend to use this for verifying the username, password and a voice password over the web....as shown in the following code...
    <html>
    <head>
    <meta http-equiv="Content-Type" content="text/html; charset=windows-1252">
    <meta http-equiv="Content-Language" content="en-us">
    <title>Home Page</title>
    <meta name="GENERATOR" content="Microsoft FrontPage 5.0">
    <meta name="ProgId" content="FrontPage.Editor.Document">
    <meta name="Microsoft Theme" content="artsy 011, default">
    <meta name="Microsoft Border" content="tl, default">
    </head>
    <body background="arttilea.jpg" bgcolor="#000000" text="#FFFFCC" link="#FF9900" vlink="#999900" alink="#669933">
    <!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font size="4" color="#FFFFFF">Please enter login
          details below:</font></p>
    <form>
    <!--mstheme--></font><table border=0 cellpadding=3 cellspacing=3>
    <tr>
        <td align=right width="74"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font face="Arial, Helvetica, sans-serif"><b><i>Username</i></b></font></p>
        <!--mstheme--></font></td>
        <td width="335"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><input type=text
          name=username size="20"></p>
        <!--mstheme--></font></td>
    </tr>
    <tr>
        <td align=right width="74"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font face="Arial, Helvetica, sans-serif"><b><i>Password</i></b></font></p>
        <!--mstheme--></font></td>
        <td width="335"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left">
            <input
            type=password name=password size="20"></p>
          <!--mstheme--></font></td>
      </tr>
      <tr>
        <td align=center width="74"><!--mstheme--><font face="Arial, Helvetica">
          <p align="left"><font face="Arial, Helvetica, sans-serif"><b><i>Voice
          Password Check</i></b></font></p>
        <!--mstheme--></font></td>
        <td width="335"><!--mstheme--><font face="Arial, Helvetica">
           <p align="left">
    <APPLET CODE="AppletTest.class" ALIGN="MIDDLE" WIDTH=272 HEIGHT=38 NAME="AppletTest.class"></APPLET> </p>
        <!--mstheme--></font></td>
      </tr>
    <tr>
        <td colspan=2 align=center><!--mstheme--><font face="Arial, Helvetica">
        <p align="left"><font face="Arial Narrow"><input type=submit value="Enter Website" name="Submit"></font></p>
        <!--mstheme--></font></td>
    </tr>
    </table><!--mstheme--><font face="Arial, Helvetica">
    </form>
          <p align="left">This page was last updated on <!--webbot bot="Timestamp" s-type="EDITED" s-format="%d/%m/%y" startspan -->25/03/04<!--webbot bot="Timestamp" endspan i-checksum="12776" -->.</p>
    <!--mstheme--></font></body>
    </html>I will be very grateful if somebody could help me out....as this is my first time at java programming ....also my first time for using this forum!
    Thanks,
    Regards,
    Mayur Patel

    Hi
    I Learned how to read a file text and Parse as StringTokenizer. But still i don't know how to read the Individual tokens into to database.
    But now i face a new Problem, i am not able to sort it out.
    i am posting my code
    import java.io.FileReader;
    import java.io.FileWriter;
    import java.io.BufferedReader;
    import java.io.PrintWriter;
    import java.io.IOException;
    import java.io.*;
    import java.util.*;
    public class CSVExample {
        public static void main(String[] args) throws IOException {
            BufferedReader inputStream = null;
            PrintWriter outputStream = null;
            try {
                inputStream = new BufferedReader(new FileReader("file.csv"));
              String text;
                 while((text=inputStream.readLine())!= null)
                    StringTokenizer st = new StringTokenizer(text);
                         if(st.hasMoreTokens())
                        System.out.println(st.nextToken());
            } finally {
                if (inputStream != null) {
                    inputStream.close();
    }Here the Problem is The file.csv has got two fields ID, NAME The content of this file is as follows
    T12,MR.RAJ KUMAR
    T13,MR.EARNEST DIES
    T14,MR.MATHEW HYDEN
    Now when i StringTokenize this File The Output printed as follows
    T12,MR.RAJ
    T13,MR.EARNEST
    T14,MR.MATHEW
    That means when it finds the Space it is not printing the Remaining Text.
    Please Help me in this and then Tell me how to INSER The Tokens into the Database Table
    Thank you for your service
    Cheers
    Jofin

  • How to split video files into clips

    please help this noob. i have adobe master collection cs3 and i'm totally lost as to how i can take a large video file and split it into various clips... example being a 20 minute fireworks display and i want to split that movie into a few dozen clips of specific fire works events. what package do i use and how might i go about setting the various start and finish markers and then export those chosen clips.
    any help would be greatly appreciated.
    thanks much
    michael

    Exporting segments out one at a time is hardly rocket surgery.
    At the top of the timeline is a movable bar called the "Work Area Bar". You can set the in and out points of this bar over the area you wish to export, go to "File/Export/Movie" and make sure you have "Work Area Bar" selected rather than "Entire Sequence". Export to the same project settings you're working with. Repeat for each section.

  • How to import video file into the stage?

    I did follow the instructions on Adobe help site, but when I'm trying the import menu and brows to the file (xxxx.mp4) location I find it "gray" (dimmed). What's wrong?

    What Captivate version are you using? How exactly are you trying to insert the video? I know you said "I did follow the instructions on Adobe help site but when I'm trying the import menu." I'm a bit confused because you don't add video via the Import menu. At least, you don't do it this way if you have a generic video you want to include. If that's what you need, try clicking the Video menu and choosing Insert Video.
    I'm wondering if you are trying the "CPVC" slide thing. And that's for importing a "CaPtivate Videeo Capture" that you used Captivate to create.
    Cheers... Rick

  • How do I import mp4 video files into Premiere Pro Cs4

    For sometime now, I've been finding it practically impossible to import video files into premiere Pro cs4 especially mp4 files which happens to be the commonest to me now, as I currently shoot with a Nokia Lumia 920 phone with Windows phone 8 OS. I have tried severally to convert the videos into various other formats using Xilisoft video converter version 7.7.2 and each time I do this, they would either not play fine in cs4 or not import at all.
    Please what can I do to be able to import these mp4 files into Cs4 or what format or how do I convert them into a format that would play seamlessly for better editing?
    Funny enough, I had once imported video files that were shot with the same phone and they worked well, just wondering why they aren't now.
    Please any assistance would be appreciated.
    Thanks
    NKC

    I'm happy to announce to you all that my "mp4 importing" issues has been sorted out. Now I import mp4 shot with the same Windows Phone 8 Device into Adobe Premiere Pro CS4. Only that for the moment, it doesn't play as fast as with ordinary player.
    But how did I get it to work, you may wonder;
    I simply installed Itunes on the system, I also installed an app called media monkey. I can't say which of the apps did the magic but the next time I tried to import mp4 files into Premiere Pro after these installations, it imported seamlessly.
    Obviously there's a link between the required codecs and the itunes itself.
    You may want to try it and hope it works for you.
    Kindly inform us if it works.
    Thank you all.
    Cheers.

  • How do I combine separate audio and video files into one Quicktime movie?

    I have DVDs that contain separate audio and video files in folders marked Audio_TS and Video_TS. I would like to know how to combine these files into a single Quicktime movie. Is there inexpensive or shareware software that imports and unites these files reliably? A simple solution is preferred, rather than getting into complex media editing applications.
    G4 eMac   Mac OS X (10.4.9)  

    Doug - the VOB files (in the VIDEO_TS folder) are MPEG-2 files. MPEG-2 have the video and audio mixed into the one file - there are no audio files to combine.
    The rest are directions to a DVD player (e.g. the BUP and IFO's) . The AUDIO_TS folder is used for DVD Audio discs and on video DVDs is always empty.
    Many people use Handbrake or iSquint to convert VOB to iPod video though MPEG Streamclip is the best - open the first numbered VOB and it will prompt you to open all of them. ALWAYS fix timecodes when it asks. You can then edit/trim and export to MPEG-4.

  • How do i import a video file into my iPad?

    How do I import a mp4 video file into my ipad - the file was successfully imported into my itunes library in my mac but it is not showing in my ipad?
    thank you.

    Connect your device to your computer.
    In iTunes left Pane, click your ipad under Device.  On right Pane, click Movie Tab. Check box Sync Movies, then check the movie you want it to be sync, then click the Sync button at the lower right wimdow.

  • How can I Import *.Mov video files into LightRoom 5.3 ?

    I am having trouble trying to Import *.Mov video files into LightRoom 5.3.    It imports preview thumbnails but when I select  'Import ' it now stops and displays an error message.

    Why do you ask about Lightroom issues on a Photoshop Forum?

  • How to upload a file into server using j2ee jsp and servlet with bean?

    How to upload a file into server using j2ee jsp and servlet with bean? Please give me the reference or url about how to do that. If related to struts is more suitable.
    Anyone help me please!

    u don't need j2ee and struts to do file uploading. An example is as such
    in JSP. u use the <input> file tag like
    <input type="file"....>You need a bean to capture the file contents like
    class FileUploadObj {
        private FormFile srcFile;
        private byte[] fileContent;
        // all the getter and setter methods
    }Then in the servlet, you process the file for uploading
        * The following loads the uploaded binary data into a byte Array.
        FileUploadObj form = new FileUploadObj();
        byte[] byteArr = null;
        if (form.signFile != null) {
            int filesize = form.srcFile.getFileSize();
            byteArr = new byte[filesize];
            ByteArrayInputStream bytein = new ByteArrayInputStream (form.srcFile.getFileData());
            bytein.read(byteArr);
            bytein.close();
            form.setFileContent(byteArr);
        // Write file content using Writer class into the destination file in the server.
        ...

  • How to play video files that are in Drop box on iPod?

    How to play video files that are in Drop box on iPod?

    I am going to have to write a technote about this, because it comes up a lot.
    Flash Player itself is designed to play SWF content as a browser plugin or as an ActiveX control (when it's IE Windows).
    There is a standalone Flash Player, but that's something Adobe  provides directly as a feature of Flash CS4 Professional. It gets installed with Flash. We have made some standalone players available on http://www.adobe.com/support/flashplayer/downloads.html, but not all (and I don't know why.  Looking into it)
    There are numerous 3rd party standalone SWF players out there though.  Some designed to just play video, others that play full SWF. I suggest a google search of 'play SWF standalone' and read the results.
    On the Mac, consumers who want to play SWF content off their desktop can use the Adobe Media Player. You can import a local SWF (and FLV and other video) and play it in AMP.  Get it here:
    http://www.adobe.com/products/mediaplayer/
    That's Mac only, doesn't work on Windows.

  • How to convert HL7 file into an XML

    Hi All,
    I am new to HL7,can any one tell how to convert HL7 file into an XML.Give sample demo or related links.
    My sample HL7 file is as follows how can I convert.
    FHS|^~\&||Tax ID123^Lab Name123^L|||201110191435||HL7.txt||1234567|123||
    PID|seqno|123||john^chambers^^Dr^Dr|2456 california ave^San jose^CA^85254|19601212|M
    FHS|^~\&||Tax ID123^Lab Name123^L|||File Creaqted Date|File Security|FileName||File HeaderComment||Facility|FileCreatedDateTime|File Security|File Name|File Header Comment|FileControlId|Reference File Control ID|
    PID|seqno|patientId||LastName^FirstName^MiddleName^Title^Degree|Street^City^State^zip|patientDOB|gender
    <Report>
    <FileHeader>
    <FileSendingApplication> </FileSendingApplication>
    <TaxID>Tax ID123</TaxID>
    <LabName>Lab Name123</LabName>
    <FileSendngFacilityType>L</FileSendngFacilityType>
    <FileReceivingApplication></FileReceivingApplication>
    <FileReceivingFacility></FileReceivingFacility>
    <FileCreatedDateTime>201110191435</FileCreatedDateTime>
    <FileSecurity></FileSecurity>
    <FileName>HL7.txt</FileName>
    <FileHeaderComment></FileHeaderComment>
    <FileControlId>1234567</FileControlId>
    <ReferenceFileControlID></ReferenceFileControlID>
    <FileHeader>
    <Patient>
    <seqno> </seqno>
    <patientId>Tax ID123</patientId>
    <LastName>Lab Name123</LastName>
    <FirstName>L</FirstName>
    <MiddleName></MiddleName>
    <Title> </Title>
    <Degree></Degree>
    <Street></Street>
    <City></City>
    <State>HL7.txt</State>
    <Zip></Zip>
    <patientDOB>1234567</patientDOB>
    <gender></gender>
    <Patient>
    </Report>
    Thanks
    Mani

    Hi Prabu,
    With input as in single line I'm able to get the the output but with the multiple lines of input,error was occured.Any suggestions.
    Error while translating. Translation exception. Error occured while translating content from file C:\temp\sampleHL7.txt Please make sure that the file content conforms to the schema. Make necessary changes to the file content or the schema.
    The payload details for this rejected message can be retrieved.          Show payload...
    Thanks
    Mani

  • How to import Dropbox files into iPhoto?

    I have more than 1000 JPEG files in 3 different subfolders under the DropBox Pictures folder. I want to use them in some apps that only work with photos on the camera roll. I can find all kinds of advice on how to get individual files into the camera roll but I haven't found any on how to do multiple files in a batch. I'm assuming I need to go through iPhoto. I'm not very familiar with it because I seldom use the camera. I work mainly with JPEG files from external sources. I'm running IOS 7.1.1 on an iPad Air. I'd appreciate any suggestions. Thanks!

    I don't know whether to be more irritated with Apple for not providing a batch mechanism or with the app developers for restricting their input to the camera roll (unless that's an Apple requirement).
    The lack of a batch mechanism is annoying, but the restriction to the Camera Roll is built deep into the saftety restriction for IOS devices. Apps are restricted to their "Sandbox", and the Camera Roll is the central sharing place for photos on iOS devices. There is no way to circumvent this.
    Maybe, your problem to get the photos into the Camera Roll is due to using Dropbox and not one of Apple's own provided tools to transfer the photos,  see the list of possibilities to transfer photos between devices. For example, Photo Stream would save the photos automatically to the Camera Roll. Or use iTunes Photos sync.
    http://help.apple.com/iphoto/iphone/2.0/?handbuch#blnka7d353af
    Once you can make iPhoto see the photos in an album, you can batch-save them to to camera roll: (http://help.apple.com/iphoto/iphone/2.0/?handbuch#blnkee26bc1f)
    Save photos to the Camera Roll on your iOS device
    Tap a photo, album, or event and tap the share button > Camera Roll.
    Tap Selected, or change the photos you want to save:
    Select different photos: Tap Choose Photos, tap up to 100 photos, and tap Next.
    Select a range of photos: Tap Choose Photos, tap Range, tap the first and last photos in the range, and tap Next.
    Select all the photos in an album or event: Tap All.
    Tap Done.
    To use your photo in another app, open the app and select the Camera Roll album.

  • Problem when importing several (2,3 or 4) video files into one project.

    Im creating a project video with several videos running at the same time in one screen.  Sort of like a surveillance with different videos but for some reason one of the video file seems to change from 45 seconds to 3 minutes.  When all of the video files are 45 seconds but after effects seems to put that video file into 3 minutes.  I even deleted the file and imported another video just like it and it works fine until I open the project again.  I am using AE CS4.

    I hope I did this correct.  The first link shows the video length of the videos, this is how it is suppose to be.  Then the second link shows the problem in which one of the videos after (after effects) is closed and then opened again.  One of the video seems to malfunction and shows that it is longer then 45 seconds.  I tried to delete it and open up another one... and then another video seems to malfunction.

  • Uregnt - How to Load Flat File into BW-BPS using Web Browser

    Hello,
    We have followed the 'How to Load Flat File into BW-BPS using Web Browser' guide to build BSP web front-end to upload flat file.  Everything works great but we have a requirement to populate the Planning Area Variables based on BSP drop down list with values.  Does anyone know how to do this?  We have the BSP coded with drop down list all we need to do now is populate variables.  We can populate the variables through the planning level (hardcoded) but we need to populate them through the web interface.
    Thanks,
    Gary

    Hello Gary,
    We have acheived the desired result by not too a clean method but it works for us.
    What we have done is, we have the link to load file in a page where the variables can be input. The user would then have the option to choose the link to load a file for the layout in that page.
    By entering the variable values in the page, we are able to read the variables for the file input directly in the load program.
    Maybe this approach might help.
    Sunil

Maybe you are looking for

  • Print preview when creating a PO

    Hi guys, when we create a purchase oder and want to see the print preview, there is a message no print-relevant changes to document. So you have to save the PO and the you can look at the print preview. Is there a way to get this print preview while

  • Test Engineer Job Opportunity

    Adecco Technical currently has several full-time permanent opening for Test Engineers at an OEM facility in Fort Collins, Colorado. Relocation assistance is available for qualified candidates. ESSENTIAL DUTIES: 1) Designs hardware and software for ma

  • Ipod 30 gb player that downloads videos but does not show vidoe

    I just received and ipod 30gb for Chirstmas and have downloaded several movies. The movies show under movies area, but when I go to paly them, it show the title of the movie and a square box next to it on the white screen but does not video on screen

  • Drill down list in iteractive report

    Hi, my requirement is like this 1 col - Dar no 2 col - order no (Drill down list) may contain 10 no.  At every order no it contains again no of orders it appears in 3rd col in          drill down list whenever i select any no from drill down list (fr

  • MDT Deployment Wizard doesn't start after booting from the LiteTouchPE.iso

    Hello Experts, I'm using the MDT 2013. When I boot the Physical machine or VM with the LiteTouchPEx86 or x64, I'm not getting the Deployment Wizard. It just stops with a command prompt X:\Windows\System32>. Anyone faced this problem earlier. I search