Placing a Fish or Deer on top of original background photo

I have a photo of the evening sunset and I want to place a Fish pic on left side and a deer pic on the right. How do I do this with photoshop or another method? Any help will be greatly appreciated.
Thank you,
              Marvin Engel
          www.BigMFishingCharters.com

BigMFishing wrote:
I have a photo of the evening sunset and I want to place a Fish pic on left side and a deer pic on the right. How do I do this with photoshop or another method? Any help will be greatly appreciated.
Thank you,
              Marvin Engel
          www.BigMFishingCharters.com
Marvin,
Open picture B (fish), to add to the other picture.
Use one of the selection tools, e.g. selection brush, lasso tool, to select the object. You will see an outline ("marching ants") once the selection is complete
Go to Edit menu>copy to copy the selection to the clipboard
Open picture A (sunset), then go to Edit>paste
Use the move tool to position object from picture B.
In the layers palette you should see picture A as the background layer, and object B on a separate layer.
Now, do the same for picture C(deer)

Similar Messages

  • Problem placing buttons on top of a background image

    My knowledge of Java isn't the greatest and I am currently having problems placing buttons on top of a background image within a JApplet (this is also my first encounter with Applets).
    I'm using a Card Layout in order to display a series of different screens upon request.
    The first card is used as a Splash Screen which is displayed for 5 seconds before changing to the Main Menu card.
    When the Main Menu card is called the background image is not shown but the button is.
    While the Applet is running no errors are shown in the console.
    Full source code can be seen below;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.net.*;
    // First extend JApplet
    public class WOT extends JApplet {
         //--------------- Variables are declared here -----------------
         private CardLayout contentCardLayout = new CardLayout();  // declare CardLayout
         private Container contentContain;     // declare content Container
         private JPanel contentCard, splashScreen, mainMenu, menuImage; // declare content Panels
         private JLabel splash, menu, map; // declare image labels
         private ImageIcon mapBtn; // declare ImageIcons
         private JButton mapOption; // declare option Buttons
         private Timer timer; // declare Timer
         private ActionListener actionListener, mapOptionListener; // declare ActionListener
    //--------------- Initialise Applet -----------------
      public void init() {
         //--------------- Set-up Card Layout -----------------
         contentCard = new JPanel(contentCardLayout); // assign card panels to CardLayout
         //--------------- Splash Screen -----------------
         splashScreen = new JPanel();
         splash = new JLabel(new ImageIcon(getClass().getResource("img/bg.gif")));
         splashScreen.add(splash);
         splashScreen.setSize(600,800);
         splashScreen.setLocation(0,0);
    //--------------- "View Map" Option Button -----------------
         mapBtn = new ImageIcon(getClass().getResource("img/map.gif"));
         mapOption = new JButton(mapBtn);
         mapOption.setBorder(null);
         mapOption.setContentAreaFilled(false);
         mapOption.setSize(150,66);
         mapOption.setLocation(150,450);
         mapOption.setOpaque(false);
         mapOption.setVisible(true);
    //--------------- Main Menu Screen -----------------
         //menuImage = new JPanel(null);
         //menuImage.add(mainMenu);
         //menuImage.setLocation(0,0);
         mainMenu = new JPanel(null);
         menu = new JLabel(new ImageIcon(getClass().getResource("img/menu.gif")));
         menu.setLocation(0,0);
         mainMenu.add(menu);
         //mainMenu.setBackground(Color.WHITE);
         mainMenu.setLocation(0,0);
         mainMenu.setOpaque(false);
         //mainMenu.setSize(150,66);
         mainMenu.add(mapOption);
         //--------------- Map Image Screen -----------------
         map = new JLabel(new ImageIcon(getClass().getResource("img/map.gif")));
         //--------------- Add Cards to CardLayout Panel -----------------
        contentCard.add(splashScreen, "Splash Screen");
         contentCard.add(mainMenu, "Main Menu");
         contentCard.add(map, "Map Image");
    //--------------- Set-up container -----------------
          contentContain = getContentPane(); // set container as content pane
          contentContain.setBackground(Color.WHITE); // set container background colour
           contentContain.setLocation(0,0);
           contentContain.setSize(600,800);
          contentContain.setLayout(new FlowLayout()); // set container layout
           contentContain.add(contentCard);  // cards added
           //--------------- Timer Action Listener -----------------
           actionListener = new ActionListener()
                    public void actionPerformed(ActionEvent actionEvent)
                             //--------------- Show Main Menu Card -----------------
                             contentCardLayout.show(contentCard, "Main Menu");
         //--------------- Map Option Button Action Listener -----------------
           mapOptionListener = new ActionListener()
                    public void actionPerformed(ActionEvent actionEvent)
                             //--------------- Show Main Menu Card -----------------
                             contentCardLayout.show(contentCard, "Map Image");
         //--------------- Timer -----------------               
         timer = new Timer(5000, actionListener);
         timer.start();
         timer.setRepeats(false);
    }Any help would be much appreciated!
    Edited by: bex1984 on May 18, 2008 6:31 AM

    1) When posting here, please use fewer comments. The comments that you have don't help folks who know Java read and understand your program and in fact hinder this ability, which makes it less likely that someone will in fact read your code and help you -- something you definitely don't want to have happen! Instead, strive to make your variable and method names as logical and self-commenting as possible, and use comments judiciously and a bit more sparingly.
    2) Try to use more methods and even classes to "divide and conquer".
    3) To create a panel with a background image that can hold buttons and such, you should create an object that overrides JPanel and has a paintComponent override method within it that draws your image using the graphics object's drawImage(...) method
    For instance:
    an image jpanel:
    import java.awt.Dimension;
    import java.awt.Graphics;
    import java.awt.image.BufferedImage;
    import java.io.File;
    import java.io.IOException;
    import java.net.URISyntaxException;
    import java.net.URL;
    import javax.imageio.ImageIO;
    import javax.swing.JButton;
    import javax.swing.JPanel;
    public class BackgroundImage
        // **** this will have to be changed for your program:
        private static final String IMAGE_PATH = "../../m02/a/images/Forest.jpg";
        private BufferedImage myImage = null;
        private JPanel imagePanel = new JPanel()
            @Override
            protected void paintComponent(Graphics g)
            {   // *** here is where I draw my image
                super.paintComponent(g);  // **** don't forget this!
                if (myImage != null)
                    g.drawImage(myImage, 0, 0, this);
        public BackgroundImage()
            imagePanel.setPreferredSize(new Dimension(600, 450));
            imagePanel.add(new JButton("Foobars Rule!"));
            try
                myImage = createImage(IMAGE_PATH);
            catch (IOException e)
                e.printStackTrace();
            catch (URISyntaxException e)
                e.printStackTrace();
        private BufferedImage createImage(String path) throws IOException,
                URISyntaxException
            URL imageURL = getClass().getResource(path);
            if (imageURL != null)
                return ImageIO.read(new File(imageURL.toURI()));
            else
                return null;
        public JPanel getImagePanel()
            return imagePanel;
    }and an applet that uses it:
    import java.lang.reflect.InvocationTargetException;
    import javax.swing.JApplet;
    import javax.swing.SwingUtilities;
    public class BackgrndImageApplet extends JApplet
        @Override
        public void init()
            try
                SwingUtilities.invokeAndWait(new Runnable()
                    @Override
                    public void run()
                        getContentPane().add(new BackgroundImage().getImagePanel());
            catch (InterruptedException e)
                e.printStackTrace();
            catch (InvocationTargetException e)
                e.printStackTrace();
    }

  • How can I put a vertical menu ON TOP OF the background image?

    I've taken a screenshot to describe my problem.
    http://i48.tinypic.com/10ndeg4.jpg
    I want to put the menu on top of the background image. Compare it to placing another image on top of the background image. HOW on earth can I do this?

    Did you try putting the image in a <div> and setting the background image for the <div> with CSS.  Then within the <div> place your menu.
    Just a thought.
    LJD

  • How do I lighten a black and white background photo so I can print text on top of it?

    How do I lighten a black and white background photo so I can print text on top of it?

    Enhance menu>Adjust lighting>Brightness/Contrast

  • Wrapping text around an image on top of a background

    I am trying to wrap text around a photo, but I'm doing so on top of a background color box in my Master Page.  Problem is that when I create the background box in the Master Page, the text goes away.  I can resolve the problem by checking the "Ignore Text Wrap" option under the Text Frame Option menu, but then I lose the text wrap around my images.  Is there a way around this?

    Don't apply text wrap to the background....

  • My background images do not bleed in the Family Album theme if I put photos on top of the background image. Does anyone know how to fix this?

    My background photos in the Family Album theme do not bleed when I put another photo on top of them. Does anyone know how to fix this in iphoto 9?

    Can you post a screenshot of what you're seeing on that page? In the meantime try this basic fix: make a temporary, backup copy (if you don't already have a backup copy) of the library and try the following:
    1 - delete the iPhoto preference file, com.apple.iPhoto.plist, that resides in your
         User/Home()/Library/ Preferences folder.
    2 - delete iPhoto's cache file, Cache.db, that is located in your
         User/Home()/Library/Caches/com.apple.iPhoto folder. 
    Click to view full size
    3 - launch iPhoto and try again.
    NOTE: If you're moved your library from its default location in your Home/Pictures folder you will have to point iPhoto to its new location when you next open iPhoto by holding down the Option key when launching iPhoto.  You'll also have to reset the iPhoto's various preferences.
    Happy Holidays

  • Inserting a Spry Accordion on top of a background image?

    I created an 800 x 600 pixel graphic image in Adobe Photoshop CS4 to be used as an overall background image for a webpage.  I also created a few navigation links from the image Layers using the Slice Select Tool, then optimized and saved the image as an html file using the Save for Web & Devices command in Photoshop.  Next, I opened the html file in Dreamweaver CS4.  
    Is it possible to insert a Spry Accordion with a clear (transparent) background anywhere on top of that background image in Dreamweaver CS4 so that I can see the background image behind the text content of the Spry Accordion?  I use Windows Vista.

    Hi,
    Yes, as is shown by the following code:
    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
    <html xmlns="http://www.w3.org/1999/xhtml">
    <head>
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
    <title>Untitled Document</title>
    <script src="SpryAssets/SpryAccordion.js" type="text/javascript"></script>
    <link href="SpryAssets/SpryAccordion.css" rel="stylesheet" type="text/css" />
    </head>
    <body style="background: url(images/detail/cd1.jpg) no-repeat center;"> //use your own location and file
    <div id="Accordion1" class="Accordion" tabindex="0">
      <div class="AccordionPanel">
        <div class="AccordionPanelTab">Label 1</div>
        <div class="AccordionPanelContent">Content 1</div>
      </div>
      <div class="AccordionPanel">
        <div class="AccordionPanelTab">Label 2</div>
        <div class="AccordionPanelContent">Content 2</div>
      </div>
    </div>
    <script type="text/javascript">
    <!--
    var Accordion1 = new Spry.Widget.Accordion("Accordion1");
    //-->
    </script>
    </body>
    </html>

  • Placing an Audio Spectrum Effect on top of a video.

    I'm wondering if it's possible to use the audio spectrum effect on top of a video layer. That is, the video is playing while there is an audio visualizer *on top* of it. My goal is to produce a video podcast, but add some style to it by having each podcast member have their voice synced to an audio visualizer while there are video clips playing in the background.
    Is this possible with After Effects, or any of Adobe's products at all? Every time I place an audio spectrum effect on, I can hear the audio of my video clips, but the visualizer refuses to show on top of anything other than the black background that appears the moment I activate the effect.
    Can anyone help? Thanks.

    Place the audio in the comp and then add a solid layer. (comp size)
    Next, go to Effects, Generate, "Audio Spectrum" or "Audio Waveform" depending on what you'd like.
    You can apply the waveform directly to the video layer, but placing it on a separate layer allows separate adjustment of both layers independently.
    There are quite a few parameters that can be adjusted, however the defaults should be fine for most things.
    Here's a nice tutorial on the effect:
       http://www.motionworks.com.au/2009/08/effect-audio-wavefor/
    --Desmond

  • Placing a single line at the top of a 2-column text frame

    I am creating a text frame that is two columns and that will be adjusted in height size for each page. What I would like to do is add a single .5 line at the top of the frame and join it to the frame so both the line and the frame will move simultaneously. I would like to do this without having to select both the line and the frame each time. Is there a way to permanently attach the line to the frame or is there a way to create a line within the frame that has nothing to do with the text. I'd prefer not to use above/below paragraph lines. If anyone can help it would be greatly appreciated. Thanks.

    kathi_uk wrote:
    I am creating a text frame that is two columns and that will be adjusted in height size for each page. What I would like to do is add a single .5 line at the top of the frame and join it to the frame so both the line and the frame will move simultaneously. I would like to do this without having to select both the line and the frame each time. Is there a way to permanently attach the line to the frame or is there a way to create a line within the frame that has nothing to do with the text. I'd prefer not to use above/below paragraph lines. If anyone can help it would be greatly appreciated. Thanks.
    It's not clear if the first paragraph below the two-column line will straddle the two columns.
    ID CS5 paragraphs can straddle columns. An inline graphic at the top of a two-column straddled paragraph will do what you want. The paragraph that follows can be either a one- or two-column paragraph.
    HTH
    Regards,
    Peter
    Peter Gold
    KnowHow ProServices

  • Placing a semi-transparent area on top of a picture

    CS3
    I need to place some text on a photo, and to make it possible to read the text clearly, I want to place an area with a single colour on top of the picture - and the text on top of the are.
    But how can I make this area semi transparent?
    Thanks

    There is also an action under Text Effects that does a semi-transparent panel for text.
    Load the Text Effects actions into your actions panel and then make a selection for
    the size of the text panel (rectangular marquee tool) before running the action. After
    the action runs you can type your text inside the panel.
    You can move the text layer and panel layer to a different part of the image by
    selecting both layers and then using the move tool.
    MTSTUNER

  • Placing controls on top of a background image

    Hello folks:
    Need a bit of help please. Need to be able to display a .gif image (800x600)as a background, with controls such as Labels and textboxes on top of the image. Is there away to do this with the various panes in Swing, and if so how, or is there a better way. If y'all have a bit of sample code to share it sure would be appreciated.
    Thanks for the help and advise in advance - Bart

    Here are two ways to do it:
    import java.awt.event.*;
    import javax.swing.*;
    import java.awt.*;
    public class TestBackground extends JFrame
         ImageIcon img;
         public TestBackground()
              img = new ImageIcon("????.jpg");
              JPanel panel = new JPanel()
                   public void paintComponent(Graphics g)
                        g.drawImage(img.getImage(), 0, 0, null);
                        super.paintComponent(g);
              panel.setOpaque(false);
              panel.add( new JButton( "Hello" ) );
              setContentPane( panel );
         public static void main(String [] args)
              TestBackground frame = new TestBackground();
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setSize(300, 300);
              frame.setVisible(true);
    import java.awt.event.*;
    import javax.swing.*;
    import java.awt.*;
    public class TestBackgroundLayered extends JFrame
         public TestBackgroundLayered()
              ImageIcon image = new ImageIcon("????.jpg");
              System.out.println(image.getImageLoadStatus());
              System.out.println(image.getIconHeight());
              JLabel background = new JLabel(image);
              background.setBounds(0, 0, image.getIconWidth(), image.getIconHeight());
              getLayeredPane().add(background, new Integer(Integer.MIN_VALUE));
              JPanel panel = new JPanel();
              panel.setOpaque(false);
              panel.add( new JButton( "Hello" ) );
              setContentPane( panel );
         public static void main(String [] args)
              TestBackgroundLayered frame = new TestBackgroundLayered();
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setSize(300, 300);
              frame.setVisible(true);
    }

  • Problem: Light color shadow on top of black background when printing

    Using InDesign CS3, PC.
    I have a book cover design that looks perfect on screen. There is a section with a black background and colored letters on top of it. Also on top of this black background is an image of a dinosaur (made in illustrator CS3). The image was placed into the InDesign file and does not have any color to the background. But when it is printed (Xerox Phaser), there is a colored shadow where the image overlaps the black background section.
    There are also colored areas over other black background sections where drop shadows (35%) occur on top of the black background.
    Could anyone tell me what I am doing wrong? I have never dealt with 100% black in my designs before and I must be doing something wrong.
    Again, on the screen you cannot see any of these colored areas on top of the black background. It's only when I print that they show up.
    Thank you,
    Cathy

    http://indesignsecrets.com/eliminating-ydb-yucky-discolored-box-syndrome.php
    http://indesignsecrets.com/eliminating-the-white-box-effect.php
    Bob

  • TS3989 Photos are ok in aperture and iphoto but in photostream on ipad and iphone the top of all portrait photos is chopped off. I tried switching photostream off and on but got the same. Only happened with photos added today, all past photos are fine

    I have never had any problems before but all portrait photos added today have the top chopped off. For example , people's heads are missing or roofs or buildings are chopped off. Photos are fine on the camera and on my mac in iphoto and aperture. Switched off photostream on my ipad...all photos were deleted. Switched photostream back on and all photos uploaded again and portrait photos are cropped again

    It sounds like while trying to import the photos with insufficient disk space those image files were damaged and not copied fully.  Now that you have sufficient space (a minimum of 10 GB is recommended) the latest imports are good.
    What do you get if you export one of the problem photos out of iPhoto as Kind=Original and try to open it with Preview.  If it appears the same then there's nothing you can to do recover them.
    OT

  • My daughter forgot her passcode, phone is disabled.  I attempted restore procedures by placing phone in restore mode and syncing to original computer, but it still says I need the passcode and does not offer option to restore as new.  Verizon can't help.

    My daughter forgot her passcode.  Phone is now disabled.  I attempted restore procedures by placing phone in restore mode and connected it to the computer / itunes with which it was originally synced.  itunes recognized phone in restore mode and said I must restore.  I clicked restore, restore and update.  Update began, itunes recognized the device by name and gave error message that stated I must have the passcode to restore.  There was no option to restore as new.  I attempted to restore the iphone 4s on another computer by instaling itunes, but same error messages appeared.  I contacted Verizon and they said they could not help me.  The nearest apple retail store is over 40 miles away.  PLEASE HELP!

    If You Are Locked Out Or Have Forgotten Your Passcode
    iTunes 10 for Mac- Update and restore software on iPod, iPhone, or iPad
    iPhone, iPad, iPod touch: Wrong passcode results in red disabled screen
    iOS- Understanding passcodes
         If you have forgotten your Restrictions code, then follow the instructions
         below but DO NOT restore any previous backup. If you do then you will
         simply be restoring the old Restrictions code you have forgotten. This
         same warning applies if you need to restore a clean system.
    A Complete Guide to Restore or Recover Your iDevice (if You Forget Your Passcode)
    If you need to restore your device or ff you cannot remember the passcode, then you will need to restore your device using the computer with which you last synced it. This allows you to reset your passcode and re-sync the data from the device (or restore from a backup). If you restore on a different computer that was never synced with the device, you will be able to unlock the device for use and remove the passcode, but your data will not be present. Refer to Updating and restoring iPhone, iPad and iPod touch software.
    Try restoring the iOS device if backing up and erasing all content and settings doesn't resolve the issue. Using iTunes to restore iOS devices is part of standard isolation troubleshooting. Restoring your device will delete all data and content, including songs, videos, contacts, photos, and calendar information, and will restore all settings to their factory condition.
    Before restoring your iOS device, Apple recommends that you either sync with iTunes to transfer any purchases you have made, or back up new data (data acquired after your last sync). If you have movie rentals on the device, see iTunes Store movie rental usage rights in the United States before restoring.
    Follow these steps to restore your device:
         1. Verify that you are using the latest version of iTunes before attempting to update.
         2. Connect your device to your computer.
         3. Select your iPhone, iPad, or iPod touch when it appears in iTunes under Devices.
         4. Select the Summary tab.
         5. Select the Restore option.
         6. When prompted to back up your settings before restoring, select the Back Up
             option (see in the image below). If you have just backed up the device, it is not
             necessary to create another.
         7. Select the Restore option when iTunes prompts you (as long as you've backed up,
             you should not have to worry about restoring your iOS device).
         8. When the restore process has completed, the device restarts and displays the Apple
             logo while starting up:
               After a restore, the iOS device displays the "Connect to iTunes" screen. For updating
              to iOS 5 or later, follow the steps in the iOS Setup Assistant. For earlier versions of
              iOS, keep your device connected until the "Connect to iTunes" screen goes away or
              you see "iPhone is activated."
         9. The final step is to restore your device from a previous backup.
    If you can not restore your device then you will need to go to recovery mode.
    Placing your device into recovery mode:
    Follow these steps to place your iOS device into recovery mode. If your iOS device is already in recovery mode, you can proceed immediately to step 6.
         1. Disconnect the USB cable from the iPhone, iPad, or iPod touch, but leave the other end
             of the cable connected to your computer's USB port.
         2. Turn off the device: Press and hold the Sleep/Wake button for a few seconds until the
             red slider appears, then slide the slider. Wait for the device to turn off.
              If you cannot turn off the device using the slider, press and hold the Sleep/Wake
              and Home buttons at the same time. When the device turns off, release the Sleep/Wake
              and Home buttons.
         3. While pressing and holding the Home button, reconnect the USB cable to the device.
             The device should turn on. Note: If you see the screen pictured below, let the device
             charge for at least ten minutes to ensure that the battery has some charge, and then
             start with step 2 again.
         4. Continue holding the Home button until you see the "Connect to iTunes" screen.
             When this screen appears you can release the Home button.
         5. If necessary, open iTunes. You should see the following "recovery mode" alert:
         6. Use iTunes to restore the device.
    If you don't see the "Connect to iTunes" screen, try these steps again. If you see the "Connect to iTunes" screen but the device does not appear in iTunes, see this article and its related links.
    Additional Information:
    Note: When using recovery mode, you can only restore the device. All user content on the device will be erased, but if you had previously synced with iTunes on this computer, you can restore from a previous backup. See this article for more information.

  • How to stop Ad. Reader XI erroneously opening copy of working file on top of original when cursor nears drop down menus, covering them?

    Over the last two days, after opening any document in A R XI, as soon as the cursor nears the drop-down menus, another unwanted copy of the original document opens on top (but slightly offset from) that completely obscures the menu options. The original file is partially visible at the foot of the window but cannot be accessed by clicking.
    On occasion a file opens from new without the drop-down menu options being visible. The above happens when I click in the empty space.
    There have been slight variations of the above problem but at the moment I have not found a way to work with any pdf file
    I can only close the document (and simultaneously the program) via the task bar.
    I replaced the 'troublesome' program with a newly downloaded copy but the problem persists. I have scanned for viruses.
    Any one with similar experiences find a solution?
    Thanks.      

    Over the last two days, after opening any document in A R XI, as soon as the cursor nears the drop-down menus, another unwanted copy of the original document opens on top (but slightly offset from) that completely obscures the menu options. The original file is partially visible at the foot of the window but cannot be accessed by clicking.
    On occasion a file opens from new without the drop-down menu options being visible. The above happens when I click in the empty space.
    There have been slight variations of the above problem but at the moment I have not found a way to work with any pdf file
    I can only close the document (and simultaneously the program) via the task bar.
    I replaced the 'troublesome' program with a newly downloaded copy but the problem persists. I have scanned for viruses.
    Any one with similar experiences find a solution?
    Thanks.      

Maybe you are looking for

  • Folder action: File size as a conditional and then move

    Im a complete beginner to AppleScript so please be patient with my amateur questions So here's what I want to do: I want to setup a folder action so that whenever I download a file to my Downloads folder that is larger than 50mb, it will automaticall

  • Log In Issues with SSIS

    I installed SSIS two moths after installing SQL Server 2014. I granted permissions  to users per MSDN in Dcomcnfg.exe and rebooted SSMS and SSIS. I am able to log on via my client without any issues; however, the other user cannot even see the instan

  • BPEL instance recreation for used correlation set.

    Hi, In our project we have deployed two composites in the first one we have used a fileadapter,mediator,webservice the flow is like from Fileadapter-->mediator-->webservice(1^st^ Composite) . In the second composite bpel interface is web service and

  • FP11 silent install?

    When FP11 gets its public release (Q2 right?), will it be possible to have the client silently update from FP10 to FP11? For us, we would not be able to adopt FP11 if it requires users to agree to a dialog prompt to upgrade.

  • Internal table to AVL report

    Hi all, I have one final internal table created which does not have a fixed structure in a normal ABAP classical report in se38. It has fields from VBRK , VBRP, t001, etc...I have got all the data appended to final table it_final. Now I want to creat