Audio issue on ipad - won't play more than on sound at a time.

I have a module with some background music, voice overs and various sound efx.
On the ipad only one sound will play at a time. So if there is background music it disappears when the voice over comes in and if there's a sound effect on top of voice over there is a disruption to the voice over.
It seems to work fine on desktop, laptop and even android devices.
Is this a known issue? Anybody have a solution or workaround?
The only thing I can think of is having all the audio pre-mixed.
any help would be appreciated.
thanks
morgan

Hi there,
Avoid overlapping audio in the project. If at all you need overlapping audio, read the article Adobe Captivate audio for iPad.
If you use overlapping audio, then please check this article from the help file on 'best practices for creating projects for I-pads':
http://helpx.adobe.com/content/help/en/captivate/using/publish-projects-html5-files.html
Thanks.

Similar Messages

  • Library won't play more than one song at a time

    What gives? My iTunes suddenly won't play a sequence of songs. Not from the library as a whole, not from any playlist. The files are all still there and I can highlight and play any ONE, but iTunes won't then go on to the next. Tried 'select all', that didn't work either. What setting have I accidently changed? Just downloaded the newest iTunes just in case, but that didn't help. Still only 1 song at a time. Makes using iTunes as background pretty useless.

    Are you saying that when you hit PAUSE the song doesn't stop playing?
    If you want to jump to a different song while one is already playing, you don't need to hit pause/stop at all. Simply go to the song you want to here, double click it and the song that was playing will stop and the double clicked song will start. No need to use the Stop/Pause/Play type controls at all.
    Patrick

  • Playlists won't play more than one song at a time

    Hi
    I have setup some play lists, some play all the songs, others will only play one song then stop and I have to manually go to the next song. I don't understand and it's driving me mad! I read through some old posts on this and made sure that the check boxes next to my songs are ticked. I have also made sure that the shuffle & 'play playlist' icons are in blue. Is there anything else I can try? Please, please help!
    Gemma

    Besides the checkboxes next to songs, you might want to check the songs themselves with the Get Info command and make sure the "Skip When Shuffling" option it turned off. If your playlist is set to shuffle and your songs say skip when shuffling, then they won't play.
    Also, are these new playlists? Or are they playlists that were ok before but now (after upgrading to iTunes 7.6?) act differently?
    Patrick

  • Play more than one sound

    I want to write a program that can play more tha one music file(wav).
    I have used threat and mixer(javax.sound.sample.*) but Ican't do this.
    Help me please !!!!!!
    And show me some code example about mixer if can
    Thank you very much !!!!!!!!

    Here is a simple solution for playing more than one sound at the time. It uses two classes where the first is a thread that plays a sound, and the second is a "container" that loads and stores your sounds.
    SoundThread.java
    import javax.sound.sampled.*;
    public class SoundThread extends Thread
        private Clip soundClip = null;
        private int soundIndex = 0;
        private int loopCount = 0;
        private boolean donePlaying = false;
         * Constructor
         * @param acClip Clip The sound clip.
         * @param index int The index of the sound (so that the correct thread can be found when a sound should be stopped.)
        public SoundThread( Clip clip, int index )
            soundIndex = index;
            soundClip = clip;
            soundClip.stop();
            soundClip.flush();
            soundClip.setFramePosition( 0 );
            soundClip.setLoopPoints(0, -1);
            setPriority(Thread.MIN_PRIORITY);
          * Tell the thread to play the sound once and start playback.
         public void playSound()
             loopCount = 0;
             start();
         * Tell the thread to loop the sound and start playing.
        public void loopSound()
            loopCount = Clip.LOOP_CONTINUOUSLY;
            start();
         * Stop playing the sound in this thread.
        public void stopSound()
            soundClip.stop();
            soundClip.flush();
            soundClip.setFramePosition( 0 );
            donePlaying = true;
         * Get the index of this particular sound clip.
         * @return int The index.
        public int getSoundIndex()
            return soundIndex;
         * Has the sound finished playing?
         * @return boolean True iff it's done.
        public boolean isDonePlaying()
            return donePlaying;
         * Play the sound in the thread.
        public void run()
            soundClip.loop( loopCount );
            donePlaying = true;
    SoundPlayer.java
    import javax.sound.sampled.*;
    import java.net.URL;
    import java.util.LinkedList;
    import java.util.Vector;
    public class SoundPlayer
        private Vector<Clip> clipList = null;
        private LinkedList<SoundThread> playerList = null;
         * Constructor
         * Initializes the list of sounds being played and the list of sound clips.
        public SoundPlayer()
            playerList = new LinkedList<SoundThread>();
            clipList = new Vector<Clip>();
         * Add a sound to the list of sounds in the player.
         * @param fileName String The file name (including sub-directories) to the sound.
         * @return int The index of the sound in the list, -1 if it could not be added.
         * @throws UnsupportedAudioFileException The format of the file is unrecognized.
         * @throws LineUnavailableException No output found.
         * @throws IOException Most likely the file could not be found.
        public int setSound( String fileName ) throws Exception
            Clip theClip = getClip(getURL(fileName));
            if ( clipList.add(theClip) == false )
                theClip.flush();
                theClip.close();
                return -1;
            return clipList.indexOf(theClip);
         * Get a reference to a specific sound.
         * @param soundIndex int The internal index of the sound.
         * @return Clip A reference to the sound.
        public Clip getSound( int soundIndex )
            return clipList.elementAt(soundIndex);
         * Play a sound.
         * @param soundIndex int The internal index of the sound to be played.
        public void play( int soundIndex )
            SoundThread player = new SoundThread(getSound(soundIndex), soundIndex);
            playerList.add(player);
            player.playSound();
         * Stop playing all sounds.
        public void stop()
            while ( playerList.isEmpty() == false )
                SoundThread player = playerList.removeFirst();
                player.stopSound();
                player = null;
         * Stop playing a specific looping sound.
         * @param soundIndex int The internal index of the sound to be stopped.
        public void stop( int soundIndex )
            // Create a temporary list for sounds that are playing and should continue to play.
            LinkedList<SoundThread> tempList = new LinkedList<SoundThread>();
            while ( playerList.isEmpty() == false )
                SoundThread player = playerList.removeFirst();
                // This is the sound clip that should be stopped.
                if ( player.getSoundIndex() == soundIndex )
                    player.stopSound();
                // Remove any threads that are done playing.
                if ( player.isDonePlaying() )
                    player = null;
                // Add all other threads to the temporary list.
                else
                    tempList.add(player);
            // Update the player list to the new list.
            playerList = tempList;
         * Loop a sound.
         * @param soundIndex int The internal index of the sound to be played.
        public void loop( int soundIndex )
            SoundThread player = new SoundThread(getSound(soundIndex), soundIndex);
            playerList.add(player);
            player.loopSound();
         * Get an URL to a file inside the current jar archive.
         * @param fileName String The file name, including subdierctory information if applicable.
         * @return URL An URL to the file.
        public URL getURL( String fileName )
            return this.getClass().getClassLoader().getResource(fileName);
         * Load a sound clip from an URL.
         * @param urlResource URL An URL to the sound file.
         * @return Clip A reference to the sound.
        public Clip getClip( URL urlResource ) throws Exception
            Clip theSound = null;
            try
                // Open a stream to the sound.
                AudioInputStream ais = AudioSystem.getAudioInputStream( urlResource );
                // Get the format of the sound clip.
                AudioFormat af = ais.getFormat();
                // Create a line for the sound clip.
                DataLine.Info dli = new DataLine.Info( Clip.class, af, AudioSystem.NOT_SPECIFIED );
                // If the format of the clip is not supported directly then try to transcode it to PCM.
                if ( !AudioSystem.isLineSupported( dli ) )
                    // Create a new PCM audio format for the clip.
                    AudioFormat pcm = new AudioFormat( af.getSampleRate(), 16, af.getChannels(), true, false );
                    // Open a stream to the sound using the new format.
                    ais = AudioSystem.getAudioInputStream( pcm, ais );
                    // Read the format of the clip.
                    af = ais.getFormat();
                    // Create a new line for the sound clip.
                    dli = new DataLine.Info( Clip.class, af );
                // Create the clip, open it, and read its entire contents.
                theSound = ( Clip )AudioSystem.getLine( dli );
                theSound.open( ais );
                theSound.drain();
            catch( Exception ex )
                throw new Exception(urlResource.toString() + "\n" + ex.getMessage());
            // Return a reference to the sound clip.
            return theSound;
          * Destructor
          * Release memory used by loaded sounds.
         public void dispose()
             stop();
             for ( int i = 0; i < clipList.size(); i++ )
                 Clip c = clipList.elementAt(i);
                 c.stop();
                 c.flush();
                 c.close();
             clipList = null;
    }Here is an example of how to use these classes:
        public static final void main( String[] args )
            try
                SoundPlayer sp = new SoundPlayer();
                int clip1 = sp.setSound("clip1.wav");
                int clip2 = sp.setSound("mySounds/clip2.aiff");
                int clip3 = sp.setSound("clip3.au");
                sp.loop( clip1 );
                Thread.sleep( 5000 );
                sp.play( clip2 );
                Thread.sleep( 1000 );
                sp.play( clip3 );
                Thread.sleep( 4000 );
                sp.stop( clip1 );
                sp.dispose();
            catch( Exception ex )
                ex.printStackTrace();
    ...The main weakness of this solution is that if you've got two or more instances of the same sound looping and want only one of them to stop, then, sorry, they're all stopped. There are probably more weak points but these two classes have worked well for my purposes so far.
    Hope this solves at least part of your problem.
    Hjalti
    PS. I have assembled these two classes from code snippets and examples found here and there on the Web so I'm in no way claiming to be the original author of all of this code. Unfortunately I haven't registered where it all came from so I'm unable to give credit where credit is due.

  • Play more than one song at a time

    The apple tv won't play more than one song on my playlist. And why can't there be playlists under "Music" and well as "Computer"?

    WLFehrs wrote:
    This has been a condition since day one.  The "working" icon just keeps going and it doesn't move on to the next song.  I've tried using the random play option as well to no avail.
    Is this when trying to stream content from iTunes using the Computers icons and Music submenu? I assume  the same happens when you try to play from the internet using the main Music icon too?  Is it only on Shuffle or when playing an album?
    What about movie rentals from itunes Store  - will they play ok?
    WLFehrs wrote:
    Connectivity isn't a problem, my home network has the latest tech and the Apple TV is within 15 feet anyway. 
    While that seems logical don't entirely discount it - issues like this are incredibly frustrating to pin down to which component on the network is causing the problem  - your old AppleTV worked (with Windows 8?) so this makes the newer model the more likely culprit I would agree.
    Whenever there are issues like this, if you have not done so:
    1 - Unpower AppleTV, router and restart along with the computer.
    2 - If connecting via wifi and it is feasible to test with ethernet do so to exclude wifi as the problem somewhere in the chain.
    3 - If streaming from iTunes check the computer is not going to sleep - power saving with hard drives spinning down could potentially cause a 'timeout' issue for access and worth temporarily disabling to test.
    4 - Temporarily disable any security software (firewall/port blocking) on the computer or check if it is detecting AppleTV repeated connections as an unknown intrusion threat.
    5 - Reset AppleTV and set it up again from the Settings menu.
    6 - Restore AppleTV using iTunes and a microUSB to USB connection:
    Apple TV (2nd and 3rd generation): Restoring your Apple TV
    7 - Assuming under warranty, take it to an Apple store and see if you can get a replacement.  It may be faulty.
    As I said these issues can be very tricky to pin down and it can be a process of elimination.
    I had issues last year with connection problems - I thought it was an itunes update as there were threads elsewhere about multiple connections being established.  One day I restarted my router and the problem was fixed.  A few years ago my AppleTV1s were hanging after extended use - it was the Netgear router overheating ( aknown fault with that particular model).
    AC

  • Hp laserjet pro 200 My won't print more than 1 file at a time

    My hp laserjet pro 200 m251 won't print more than 1 file at a time. Any ideas?

    Hi @nocastaway,
    I see by your post that you can't print multiple copies. I can help you with this.
    From the application your printing from, go to File, Print, Number of copies select 2. Uncheck Collate. You can now change the number of copies. Collate should now stay unchecked.
    Try printing the multiple page document again.
    You might have to disable all the startup items, to see if there is another program causing this issue.
    How to use MSCONFIG. Click on the Startup tab and disable all.
    Test the printer.
    Then go back in and enable all from the Startup tab.
    Download and run the Print and Scan Doctor if you are still having issues. It will diagnose the issue and might automatically resolve it. Find and fix common printer problems using HP diagnostic tools for Windows?
    What applications have you tried?
    How is the printer connected? (USB/Ethernet/Wireless)
    What operating system are you using? How to Find the Windows Edition and Version on Your Computer.
    What were the results when you ran the Print and Scan Doctor? (did it print or scan, any error messages)
    If you need further assistance, just let me know.
    Have a nice day!
    Thank You.
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos Thumbs Up" on the right to say “Thanks” for helping!
    Gemini02
    I work on behalf of HP

  • OSS doesn't play more than 1 sound at the same time [SOLVED]

    Hello,
    I use OSS to replace ALSA, it used to work properly here. Today I noticed that I can't play more than one sound at the same time, something which I used to be able to do.
    Also, ossxmix doesn't operate properly (I can't control the volume of a specific program).
    Looks like a permissions issue, because /dev/dsp and /dev/oss are created as root and other users get Permission Denied.
    Any ideas how to fix it? My sound card is an AC'97 onboard.
    Thanks!
    EDIT: Solved by pacman -R oss, rm -rf /usr/lib/oss then pacman -S oss. Seems to have worked.
    Last edited by Renan Birck (2009-01-02 23:06:35)

    Hello Angela,
    Have you tried resetting the iPod yet to see if that makes a difference?  To do this, press and hold both the Select (Center) and Menu buttons together long enough for the Apple logo to appear.
    If that doesn't work, a restore of the iPod via iTunes may be in order.
    B-rock

  • HT1459 After updating ITunes, it, ITunes started loosing my music files and stopped playing more than one song at a time.What now?

    After updating ITunes, it, ITunes started loosing my music files and stopped playing more than one song at a time also there would be duplicate songs in the same folders.What now?

    Sound like something messed up somehow. Maybe you can consider reinstalling the drivers again? @28.86.2.0

  • Unable to play more than 1 song at a time

    I have been using iTunes on my desktop for years without much trouble. I usually place it on shuffle and let it go. Suddenly, today I am unable to play anything more than 1 song at a time. It no longer will go on to the next song either in shuffle or continuous play. Using the forward or backward button does not work, either. I have to select a song one at a time.
    I don't know if this thing is really screwed up or if somebody in the house changed a setting that I just can't figure out.

    Did you by any chance uncheck the the boxes beside any or all of the songs in the library? Unchecked songs won't play in a playlist or the library unless you select them individually: iTunes: Understanding the Symbols Next to Songs
    Holding down the Control key and clicking the checkbox next to a song in the library or a playlist will toggle the marks for all the songs on or off: : iTunes 7 Keyboard Shortcuts for Windows

  • Won't print more than 1 copy at a time 7525 wireless or connoted with my MAC

    I am able to print fine from my MAC wirelessly.  I just cannot print more than one copy at a time.  HELP!!!

    Hi lkc,
    Welcome to the HP Support Forums! I see you are able to print wirelessly to your HP Photosmart 7525 to your MAC, however it only allows you to print one page at a time.
    I would like you to complete the steps listed below:
    Uninstall
    1. From the computer desktop, double-click the Macintosh HD, and then click Applications.
    2. Click the Hewlett-Packard folder.
    3. Double-click the HP Uninstaller, and then click Continue.
    4. Select the printer to uninstall, and then click Uninstall.
    5. When prompted, type the Administrator name and Password, and then click OK.
    Reset Printing System
    1. Click the Apple icon, and then click System Preferences .
    2. In the Hardware section, click Print & Fax. The Print & Fax dialog box opens.
    3. Right-click (or Ctrl +click) in the left panel, and then click Reset printing system…
    4. Click OK to confirm the reset.
    5. Type the correct Name and Password.
    6. Click OK to reset the printing system. The Print & Fax dialog box shows no printer selected.
    Repair Disk Permissions
    1. On the Dock, click Applications, and then click Utilities.
    2. Double-click Disk Utility.
    3. Highlight your hard drive/partition on the left (by default this is "Macintosh HD").
    4. Click the Repair Disk Permissions button at the bottom of the window.
    Now I would like you to restart the MAC, once it is restarted please go ahead and run the software installation. Click below and select your current Mac OS X from the drop down list, download the drivers and proceed with the on screen instructions:
    HP Photosmart 7525 e-All-in-One Printer Drivers
    Let me know the outcome, I will watch for your reply.
    Thank you,
    HevnLgh
    I work on behalf of HP
    Please click “Accept as Solution” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos Thumbs Up" to the left of the reply button to say “Thanks” for helping!

  • XCode won't load more than one application at a time on my iTouch?

    I got the latest SDK, installed the latest firmware, re-generated the provisioning profile. Really, everything works exactly as expected, and xCode installs my application normally, but if I, say, try to install two different sample projects, HelloWorld and TheElements, when I "Build and Go" the second application, it deletes the previous application as part of the installation procedure. That is, TheElements will be installed, and HelloWorld will be deleted.
    This only happens on the device, not in the emulator, and happens with any application, not just these two. I just can't install more than one app on the device.
    According to iTunes, there is plenty of room on the actual iTouch. Also, in Organizer, rather than a checkbox next to the Application, there is an "arrow". When I click the application, I see "Application Data".
    What the ****? Is this normal for iTouch? Are only iPhone developers allowed to develop more than one application at a time?

    you must create an application ID
    (use program portal - App ID) and in provisioning make a profile with the new App ID, and use the
    same profile in your 2 applications
    In Xcode for your project , (2*click target) section properties, use different names as Identifier, and you can have
    more than one of your applications installed on the phone. I use identifieres as
    dk.mochasoft.abc
    and
    dk.mochasoft.xyz
    I think when you release the applications to App Store, you will need different Profiles for the applications. The Apple documentation is a little weak on this subject.

  • Lightroom won't export more than one image at the time

    I am having trouble exporting my RAW files as JPEG files. At first Lightroom 4.4 seemed to skip certain photos when exporting and now I'm unable to export more than one image at the time. How can I fix this? I didn't seem to have this problem before the 4.4 update, but then again, the 4.4 update has been running for a few days now. I run on a 32bit Windows 7 with 4GB of RAM.
    Lightroom has also been a considerable lot slower since the last couple of days, yet there have been no changes at all to my computer or system or anything - nothing's changed expect for the fact that Lightroom isn't behaving as it used to.
    Can anyone help me?

    I think I've found the problem - I've accidentally 'synced' my folder instead of importing the RAW files. Which brings me to my next problem and question - I've already edited the RAW files and would really like it if there's a way I could re-import the files without losing my changes/metadata, is there anyway that's possible?

  • I-Tunes 7 won't add more than 9 files at a time to library

    Have just upgraded to I-Tunes 7 and now when trying to add files to the lib from the hard disk, if you select more than 9 files at a time it wont add them. Any ideas?
    Thanks.

    Hi,
    Sadly I've tried this before with no luck. Any other suggestions?
    Regards,
    Gord

  • My 2009 iMac freezes and won't run more than one application at a time - how can I fix this?

    Help! My iMac has been getting worse regarding freezing, especially when trying to open iPhoto. It will load slowly, and then I get the pinwheel of death for ever, until I shutdown and try over again. It usually takes several tries, and usually overnight. How can I resolve this issue?

    First, back up all data immediately, as your boot drive might be failing.
    Step 1
    This diagnostic procedure will query the log for messages that may indicate a system issue. It changes nothing, and therefore will not, in itself, solve your problem.
    If you have more than one user account, these instructions must be carried out as an administrator.
    Triple-click anywhere in the line below on this page to select it:
    syslog -k Sender kernel -k Message CReq 'GPU |hfs: Ru|I/O e|find tok|n Cause: -|NVDA\(|timed? ?o' | tail | open -ef
    Copy the selected text to the Clipboard by pressing the key combination command-C.
    Launch the Terminal application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Terminal in the icon grid.
    Paste into the Terminal window (command-V). I've tested these instructions only with the Safari web browser. If you use another browser, you may have to press the return key.
    The command may take a noticeable amount of time to run. Wait for a new line ending in a dollar sign (“$”) to appear.
    A TextEdit window will open with the output of the command. Normally the command will produce no output, and the window will be empty. If the TextEdit window (not the Terminal window) has anything in it, stop here and post it — the text, please, not a screenshot. The title of the TextEdit window doesn't matter, and you don't need to post that.
    Step 2
    There are a few other possible causes of generalized slow performance that you can rule out easily.
    Disconnect all non-essential wired peripherals and remove aftermarket expansion cards, if any.
    Reset the System Management Controller.
    Run Software Update. If there's a firmware update, install it.
    If you're booting from an aftermarket SSD, see whether there's a firmware update for it.
    If you have a portable computer, check the cycle count of the battery. It may be due for replacement.
    If you have many image or video files on the Desktop with preview icons, move them to another folder.
    If applicable, uncheck all boxes in the iCloud preference pane. See whether there's any change.
    Check your keychains in Keychain Access for excessively duplicated items.
    Boot into Recovery mode, launch Disk Utility, and run Repair Disk.
    If you have a MacBook Pro with dual graphics, disable automatic graphics switching in the Energy Saverpreference pane for better performance at the cost of shorter battery life.
    Step 3
    When you notice the problem, launch the Activity Monitor application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Activity Monitor in the icon grid.
    Select the CPU tab of the Activity Monitor window.
    Select All Processes from the View menu or the menu in the toolbar, if not already selected.
    Click the heading of the % CPU column in the process table to sort the entries by CPU usage. You may have to click it twice to get the highest value at the top. What is it, and what is the process? Also post the values for User, System, and Idle at the bottom of the window.
    Select the Memory tab. What value is shown in the bottom part of the window for Swap used?
    Next, select the Disk tab. Post the approximate values shown for Reads in/sec and Writes out/sec (not Reads in andWrites out.)
    Step 4
    If you have more than one user account, you must be logged in as an administrator to carry out this step.
    Launch the Console application in the same way you launched Activity Monitor. Make sure the title of the Console window is All Messages. If it isn't, select All Messages from the SYSTEM LOG QUERIES menu on the left. If you don't see that menu, select
    View ▹ Show Log List
    from the menu bar.
    Select the 50 or so most recent entries in the log. Copy them to the Clipboard by pressing the key combinationcommand-C. Paste into a reply to this message (command-V). You're looking for entries at the end of the log, not at the beginning.
    When posting a log extract, be selective. Don't post more than is requested.
    Please do not indiscriminately dump thousands of lines from the log into this discussion.
    Important: Some personal information, such as your name, may appear in the log. Anonymize before posting. That should be easy to do if your extract is not too long.

  • ITunes Won't Burn More Than One CD at a time...

    (I am sorry if this is in the incorrect forum)
    When I attempt to burn more than one CD (one right after the other) using iTunes I get an error message stating that the computer cannot calibrate enough laser power...and it spits the CD out. If I wait a few hours/restart it works again— anyone know if this is just an iTunes problem?
    Thanks,
    Krista

    Maybe I misunderstood your post, but this sounds like a suggestion rather than a problem.
    You can provide iTunes feedback here:
    http://www.apple.com/feedback/itunesapp.html
    If your post was a question, post back and I'll see if I can help.
    I hope this solves your problem!

Maybe you are looking for

  • Didnt find Javascript console in Acrobat 9.1

    Hi I want to use acrobat javascript editor but i didnt find any javascript console or javascript editor to start javascript in Acrobat. I didnt get debugger also . Searched in Advanced tab and also enabled Javascript editor--> Editor-->preferences-->

  • My iphone 4s is locked from itunes

    they disabled my phone nd I took it took it to a store nd they said im locked from itunes

  • Can't print PDF directly from safari!!

    When a PDF opens in safari with Adobe Acrobat 7.0. I can't print it off. It will only print a page with the URL of the PDF file on it. I have to physically save the file, then open it in Adobe or Preview to print it. Just updated to leopard. Also, th

  • Help - lost icons in finder window

    Hi, Somehow i lost some icons, and i can't get them back. When I click on the HD icon, i get the finder window. Listed are: network, MacHD - a line, then: Desktop, User Icon, Applications, Pictures, and Favorites. I almost positive I also had a Music

  • TOP-OF-PAGE using Object Oriented model

    Hi all, (1)  I hve a doubt reg the top-of-page using Object oriented concept . While iam creating the top-of-page iam using a class called ' cl_dd_document' , wht is the purpose of that class ? (2) I have displayed a text in the top-of-page container