Sound in an application

I have downloaded spell-a-word to my iPad 2 but no matter what I do I cannot get the sound to work.  It appears to be at the highest level when I push the button at the top of the ipad.  On screen it says the volume is at 5 or 6. I have restarted the iPad.  Any suggestions as to what to do to get the sound to work in the application.
Thanks.
Nancy

Have you got notifications muted ? Only notifications (including games) get muted, so the iPod and Videos apps, and headphones, still get sound.
Depending on what you've got Settings > General > Use Side Switch To set to (mute or rotation lock), then you can mute notifications by the switch on the right hand side of the iPad, or via the taskbar : double-click the home button; slide from the left; and it's the icon far left; press home again to exit the taskbar. The function that isn't on the side switch is set via the taskbar instead : http://support.apple.com/kb/HT4085
If that doesn't work then you could try closing the app completely and seeing if it has sound when you re-open it : from the home screen (i.e. not with the spell-a-word app 'open' on-screen) double-click the home button to bring up the taskbar, then press and hold any of the apps on the taskbar for a couple of seconds or so until they start shaking, then press the '-' in the top left of the app to close it, and touch any part of the screen above the taskbar so as to stop the shaking and close the taskbar.
Another option after that is a reset : press and hold both the sleep and home buttons for about 10 to 15 seconds (ignore the red slider), after which the Apple logo should appear - you won't lose any content, it's the iPad equivalent of a reboot.

Similar Messages

  • Adding sound to game application

    Can anyone assist me or provide a link as to how I can add sound to an application(non-applet)? In this case it is a space invaders clone tutorial; now I would like to add sound to when either the player or the aliens fire a laser. The problem is that I'm not sure how to do it. I initially tried using the AudioStream attribute from the sun.audio class but it did not work. Also I would like to add new images to the game background but when I add images to the panel, it does not appear when executed; the game loop I think affects this. Here is some code snippets:
    The initial setup function:
    public Game() {
              //ImagePanel p1 = new ImagePanel(new ImageIcon("City.png").getImage());
              // create a frame to contain our game
              JFrame container = new JFrame("Space Invaders 101");
              // get hold the content of the frame and set up the resolution of the game
              JPanel panel = (JPanel) container.getContentPane();
              panel.setPreferredSize(new Dimension(800,600));
              panel.setLayout(null);
              // setup our canvas size and put it into the content of the frame
              setBounds(0,0,800,600);
              panel.add(this);
              // Tell AWT not to bother repainting our canvas since we're
              // going to do that our self in accelerated mode
              setIgnoreRepaint(true);
              // finally make the window visible
              container.pack();
              container.setResizable(false);
              container.setVisible(true);
              // add a listener to respond to the user closing the window. If they
              // do we'd like to exit the game
              container.addWindowListener(new WindowAdapter() {
                   public void windowClosing(WindowEvent e) {
                        System.exit(0);
              // add a key input system (defined below) to our canvas
              // so we can respond to key pressed
              addKeyListener(new KeyInputHandler());
              // request the focus so key events come to us
              requestFocus();
              // create the buffering strategy which will allow AWT
              // to manage our accelerated graphics
              createBufferStrategy(2);
              strategy = getBufferStrategy();
              // initialise the entities in our game so there's something
              // to see at startup
              initEntities();
         }then the class for firing a shot:
    public class ShotEntity extends Entity {
         /** The vertical speed at which the players shot moves */
         private double moveSpeed = -300;
         /** The game in which this entity exists */
         private Game game;
         /** True if this shot has been "used", i.e. its hit something */
         private boolean used = false;
          * Create a new shot from the player
          * @param game The game in which the shot has been created
          * @param sprite The sprite representing this shot
          * @param x The initial x location of the shot
          * @param y The initial y location of the shot
         public ShotEntity(Game game,String sprite,int x,int y) {
              super(sprite,x,y);
              this.game = game;
              dy = moveSpeed;
          * Request that this shot moved based on time elapsed
          * @param delta The time that has elapsed since last move
         public void move(long delta) {
              // proceed with normal move
              super.move(delta);
              // if we shot off the screen, remove ourselfs
              if (y < -100) {
                   game.removeEntity(this);
          * Notification that this shot has collided with another
          * entity
          * @parma other The other entity with which we've collided
         public void collidedWith(Entity other) {
              // prevents double kills, if we've already hit something,
              // don't collide
              if (used) {
                   return;
              // if we've hit an alien, kill it!
              if (other instanceof AlienEntity) {
                   // remove the affected entities
                   game.removeEntity(this);
                   game.removeEntity(other);
                   // notify the game that the alien has been killed
                   game.notifyAlienKilled();
                   used = true;
    }The main game loop:
    public void gameLoop() {
              long lastLoopTime = System.currentTimeMillis();
              // keep looping round til the game ends
              while (gameRunning) {
                   // work out how long its been since the last update, this
                   // will be used to calculate how far the entities should
                   // move this loop
                   long delta = System.currentTimeMillis() - lastLoopTime;
                   lastLoopTime = System.currentTimeMillis();
                   // Get hold of a graphics context for the accelerated
                   // surface and blank it out
                   Graphics2D g = (Graphics2D) strategy.getDrawGraphics();
                   g.setColor(Color.black);
                   g.fillRect(0,0,800,600);
                   // cycle round asking each entity to move itself
                   if (!waitingForKeyPress) {
                        for (int i=0;i<entities.size();i++) {
                             Entity entity = (Entity) entities.get(i);
                             entity.move(delta);
                   // cycle round drawing all the entities we have in the game
                   for (int i=0;i<entities.size();i++) {
                        Entity entity = (Entity) entities.get(i);
                        entity.draw(g);
                   // brute force collisions, compare every entity against
                   // every other entity. If any of them collide notify
                   // both entities that the collision has occured
                   for (int p=0;p<entities.size();p++) {
                        for (int s=p+1;s<entities.size();s++) {
                             Entity me = (Entity) entities.get(p);
                             Entity him = (Entity) entities.get(s);
                             if (me.collidesWith(him)) {
                                  me.collidedWith(him);
                                  him.collidedWith(me);
                   // remove any entity that has been marked for clear up
                   entities.removeAll(removeList);
                   removeList.clear();
                   // if a game event has indicated that game logic should
                   // be resolved, cycle round every entity requesting that
                   // their personal logic should be considered.
                   if (logicRequiredThisLoop) {
                        for (int i=0;i<entities.size();i++) {
                             Entity entity = (Entity) entities.get(i);
                             entity.doLogic();
                        logicRequiredThisLoop = false;
                   // if we're waiting for an "any key" press then draw the
                   // current message
                   if (waitingForKeyPress) {
                        g.setColor(Color.white);
                        g.drawString(message,(800-g.getFontMetrics().stringWidth(message))/2,250);
                        g.drawString("Press any key",(800-g.getFontMetrics().stringWidth("Press any key"))/2,300);
                   // finally, we've completed drawing so clear up the graphics
                   // and flip the buffer over
                   g.dispose();
                   strategy.show();
                   // resolve the movement of the ship. First assume the ship
                   // isn't moving. If either cursor key is pressed then
                   // update the movement appropraitely
                   ship.setHorizontalMovement(0);
                   if ((leftPressed) && (!rightPressed)) {
                        ship.setHorizontalMovement(-moveSpeed);
                   } else if ((rightPressed) && (!leftPressed)) {
                        ship.setHorizontalMovement(moveSpeed);
                   // if we're pressing fire, attempt to fire
                   if (firePressed) {
                        tryToFire();
                   // finally pause for a bit. Note: this should run us at about
                   // 100 fps but on windows this might vary each loop due to
                   // a bad implementation of timer
                   try { Thread.sleep(10); } catch (Exception e) {}
         

    for basic sounds, you can use the JavaSound API.
    http://java.sun.com/docs/books/tutorial/sound/index.html
    There are plugin libraries available that add MP3 and OGG support to it.
    http://www.javazoom.net/index.shtml

  • How to Load Sound In Java Application?

    Hi, i dunno what the codes to load sound in java application, can anyone help me and provide me with the codes? Thanks a lot.

    http://search.java.sun.com/search/java/index.jsp?qp=&nh=10&qt=%2Btitle%3Aapplication+%2Btitle%3Asound&col=javaforums
    BTW: You can doo this yourself

  • Playing sound from multiple applications?

    Hi, I recently started using Arch and I'm loving it but I have one problem. My ALSA can only play sound from one application at a time, so I have to use pulseaudio for the others. But pulseaudio doesn't recognize my mic so I can't remove ALSA. ALSA just says "device busy" or something. And yes I tried to search before posting but didn't find an answer.
    Thanks

    This is what I found from the logs:
    Jul 18 21:38:34 arch pulseaudio[946]: alsa-sink.c: ALSA woke us up to write new data to the device, but there was actually nothing to write!
    Jul 18 21:38:34 arch pulseaudio[946]: alsa-sink.c: Most likely this is a bug in the ALSA driver 'snd_hda_intel'. Please report this issue to the ALSA developers.
    Jul 18 21:38:34 arch pulseaudio[946]: alsa-sink.c: We were woken up with POLLOUT set -- however a subsequent snd_pcm_avail() returned 0 or another value < min_avail.
    Jul 19 00:53:54 arch pulseaudio[946]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 19 00:53:54 arch pulseaudio[946]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 19 21:59:22 arch pulseaudio[963]: alsa-sink.c: ALSA woke us up to write new data to the device, but there was actually nothing to write!
    Jul 19 21:59:22 arch pulseaudio[963]: alsa-sink.c: Most likely this is a bug in the ALSA driver 'snd_hda_intel'. Please report this issue to the ALSA developers.
    Jul 19 21:59:22 arch pulseaudio[963]: alsa-sink.c: We were woken up with POLLOUT set -- however a subsequent snd_pcm_avail() returned 0 or another value < min_avail.
    Jul 20 02:35:47 arch pulseaudio[963]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 20 02:35:47 arch pulseaudio[963]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 20 12:22:05 arch pulseaudio[981]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 20 12:22:05 arch pulseaudio[981]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 20 12:22:05 arch pulseaudio[981]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 21 01:25:49 arch pulseaudio[953]: alsa-sink.c: ALSA woke us up to write new data to the device, but there was actually nothing to write!
    Jul 21 01:25:49 arch pulseaudio[953]: alsa-sink.c: Most likely this is a bug in the ALSA driver 'snd_hda_intel'. Please report this issue to the ALSA developers.
    Jul 21 01:25:49 arch pulseaudio[953]: alsa-sink.c: We were woken up with POLLOUT set -- however a subsequent snd_pcm_avail() returned 0 or another value < min_avail.
    Jul 21 14:33:44 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 21 14:33:44 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 21 14:33:44 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 22 01:58:04 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 22 01:58:04 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 22 02:20:11 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 22 02:20:11 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 22 02:48:30 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 23 00:21:44 arch pulseaudio[973]: alsa-sink.c: ALSA woke us up to write new data to the device, but there was actually nothing to write!
    Jul 23 00:21:44 arch pulseaudio[973]: alsa-sink.c: Most likely this is a bug in the ALSA driver 'snd_hda_intel'. Please report this issue to the ALSA developers.
    Jul 23 00:21:44 arch pulseaudio[973]: alsa-sink.c: We were woken up with POLLOUT set -- however a subsequent snd_pcm_avail() returned 0 or another value < min_avail.
    Jul 23 11:43:46 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 23 11:43:46 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 23 11:43:56 arch pulseaudio[973]: alsa-sink.c: Error opening PCM device front:0: Device or resource busy
    Jul 24 03:05:32 arch pulseaudio[954]: alsa-sink.c: ALSA woke us up to write new data to the device, but there was actually nothing to write!
    Jul 24 03:05:32 arch pulseaudio[954]: alsa-sink.c: Most likely this is a bug in the ALSA driver 'snd_hda_intel'. Please report this issue to the ALSA developers.
    Jul 24 03:05:32 arch pulseaudio[954]: alsa-sink.c: We were woken up with POLLOUT set -- however a subsequent snd_pcm_avail() returned 0 or another value < min_avail.
    And yes I have gstreamer.
    Last edited by nerdster (2011-07-26 00:35:45)

  • No sound in Flash applications like Youtube and Zynga-Frontierville. (Win7, ff 5.1, AdobeFlash 10.3.181.34)

    I get no sound in Flash applications like Youtube and Zynga-Frontierville. Video is fine.

    I'm not sure how related is this with the thing that happened to me but here it goes.
    A while ago I couldn't have two applications that can use the audio channels at the same time. For instance, if I had a paused movie with VLC I could play a video on YouTube but with no sound. Is that your case? Or it doesn't work at all?

  • How to put sound in an application (not an applet)

    i was wondering how to put sound in a application.
    what code do i need and where should i put it

    Please do not create duplicate threads. Abandon this one and continue to post in your original here:
    http://forum.java.sun.com/thread.jspa?threadID=5203167&messageID=9810376#9810376

  • No Sound in many applications ( Music, Video, youtube , dailing number....

    No Sound in many applications ( Music, Video, youtube , dailing number....)
    I bought my iphone form UK Apple store, but i am living in UAE now.. how can i get services or repair from apple here in UAE.

    No Sound in many applications ( Music, Video, youtube , dailing number....)
    I bought my iphone form UK Apple store, but i am living in UAE now.. how can i get services or repair from apple here in UAE.

  • My iPad will not play sounds on certain applications. ie: if I click on a video from FB sound will not play. If I go to YouTube and play the same video sound will play. Also certain games will no longer play sounds. They always played sounds but now won't

    My iPad will not play sounds on certain applications. ie: if I click on a video from FB sound will not play. If I go to YouTube and play the same video sound will play. Also certain games will no longer play sounds. They always played sounds but now won't now. I just went to my churches web site to watch live service and again no sound. I grabbed my dads iPad and the sound works fine.

    If you lose sounds for keyboard clicks, games or other apps, email notifications and other notifications, system sounds may have been muted.
    System sounds can be muted and controlled two different ways. The screen lock rotation can be controlled in the same manner as well.
    Settings>General>Use Side Switch to: Mute System sounds. If this option is selected, the switch on the side of the iPad above the volume rocker will mute system sounds.
    If you choose Lock Screen Rotation, then the switch locks the screen. If the screen is locked, you will see a lock icon in the upper right corner next to the battery indicator gauge.
    If you have the side switch set to lock screen rotation then the system sound control is in the task bar. Double tap the home button and in the task bar at the bottom, swipe all the way to the right. The speaker icon is all the way to the left. Tap on it and system sounds will return.
    If you have the side switch set to mute system sounds, then the screen lock rotation can be accessed via the task bar in the same manner as described above.
    This support article from Apple explains how the side switch works.
    http://support.apple.com/kb/HT4085

  • Crossfading Music's sound when other application make a sound

    I have a problem
    when im listening to a music with KMPLAYER or WMP & After that other application like viber make a sound , music's sound fade out for a second and fade in again
    this feature bother me
    how can i disable it ?my sound driver is realtek

    Hi,
    I have no idea, but you'll get much better help asking in the Windows forums here:
    http://answers.microsoft.com/en-us/windows
    This forum is meant for suggestions and feedback on the MSDN/TechNet forums, not product support.
    Good luck.
    Don't retire TechNet! -
    (Don't give up yet - 12,830+ strong and growing)

  • Sound from 1 application (solved)

    I've got sound working on my Arch install (intel_8x0 driver) but sound still only plays from one application at a time.  I'm up to date with Alsa 1.09 which I thought solved the issue.  Any ideas?

    > I do not think it is right to be making any judgements
    > about where the ALSA development is headed
    What do you mean? What such kind of judgement did I do? All I said is that software mixing does not work, it should have worked (sorry, but even half-assed old OSes like QNX, OS/2 and BeOS, Windows95 have automatic software mixing just fine) and that there was a talk that 1.0.9 WAS to bring automatic software mixing, but it didn't.
    Last November there was a huge thread with me, Linus and the alsa guys discussing this very thing, with Linus pretty much asking for that same thing too. If Alsa guys want to be taken seriously (and they do want to, because they wanted to replace OSS in the kernel, which DOES have software mixing) they better get their act together. The lack of automatic software mixing  is simply unforgivable after all these years of Alsa development. We are talking about ~80% of linux laptop users today can't play more than one sound at a time and many cheaper PC systems can't either (all the AC97 cards for example)! This is pathetic. I am sorry, but it is! This is 2005, even the Amiga could  do automatic software mixing. (most of the users don't even know what's wrong, they think it's their distribution's fault!!!)

  • Load sound in java application without use of newAudioClip api.

    In personal java 1.2, (JDK1.1.8), the method newAudioClip is unavailable to load sound. What other api can one use to load sound into the java application in this case?

    there's nothing wrong with the old one, except that it's a api of the applet. If you try to run the applet thru' the java app. (without the browser or applet viewer), the getaudioclip api will fail.
    This is the limitation I am facing, 'cos I am developing in Personal Java1.2 env.

  • Using Sound Fils in Applications

    I have created a sound file in as a .wav format. I now wish to include it in an application to be audible when a button is pressed.
    how would i attempt this?

    http://java.sun.com/docs/books/tutorial/sound/playing.html
    Dave

  • No sound in multiple applications at once

    This is an issue that has bothered me with arch for a while but I didn't care much about fixing until now. With more and more games coming to Linux I want to have my own music playing in the background but I can't.
    So for an example let's take two applications like flash and teamspeak3. I have sound in flash and I do have sound in teamspeak when they are not running at the same time. When I'm running ts3 and then open a website with flash it will have no sound and vice versa. I used to have this issue with Ubuntu some time ago (new versions of Ubuntu seem to not get that issue, but I don't know how they solved it). On Ubuntu I used aoss to solve this problem but it doesn't seem to work on Arch.
    And I'm sorry if there has been a solved topic with this issue already, I searched for a while and the only one I found was a one post topic with no solution.
    Last edited by frecel (2013-03-02 21:29:36)

    Welcome to the boards.
    Please read How To Ask Questions The Smart Way
    you have to supply a lot more information to get any meaningful help; such as
    details about your hardware, what you have tried, wiki pages you have read, etc.
    This is not an uncommon use case for Archers, so reading the various wiki
    entries is probably the place to start.

  • No sound in multiple applications with 5.1 upmix

    Hello,
    I already did some research about my problem but I did not find a solution for my problem yet. I configured my .asoundrc so that I have a permanent upmix from 2.0 to 5.1. But with the current configuration I cannot have multiple applications play sound at the same time.
    This is the latest .asoundrc i tried
    #define card
    pcm.snd_card {
    type hw
    card 0
    device 0
    ctl.snd_card {
    type hw
    card 0
    device 0
    # softwaremixing
    pcm.dmixer {
    type dmix
    ipc_key 1024
    ipc_perm 0666
    slave.pcm "snd_card"
    slave {
    period_time 0
    period_size 1024
    buffer_size 4096
    channels 6
    bindings {
    0 0
    1 1
    2 2
    3 3
    4 4
    5 5
    #dsnoop plugin
    pcm.dsnooper {
    type dsnoop
    ipc_key 2048
    ipc_perm 0666
    slave.pcm "snd_card"
    slave
    period_time 0
    period_size 1024
    buffer_size 4096
    channels 2
    bindings {
    0 0
    1 1
    #upmix
    pcm.ch51dup {
    type route
    slave.pcm dmixer
    slave.channels 6
    ttable.0.0 1
    ttable.1.1 1
    ttable.0.2 1
    ttable.1.3 1
    ttable.0.4 0.5
    ttable.1.4 0.5
    ttable.0.5 0.5
    ttable.1.5 0.5
    pcm.duplex {
    type asym
    playback.pcm "ch51dup"
    capture.pcm "dsnooper"
    pcm.!default {
    type asym
    slave.pcm "duplex"
    With this configuration Exaile gives an error on playback "Cannot open device for playback". VLC plays just stereo...
    What I want to have is this:
    Stereo should be upmixed to 5.1. But signals that already are 5.1 should not be changed. With pulseaudio on Ubuntu this was easy to do but I don't want to have pulseaudio at the moment. I had some trouble with it.
    I tried some .asoundrc from this thread but they did not work.
    Maybe someone can help me?

    For some reason it shows nothing. Sound is still not working but the output of mplayer is different now:
    [AO_ALSA] alsa-lib: conf.c:1645:(snd_config_load1) _toplevel_:41:26:Unexpected char
    [AO_ALSA] alsa-lib: conf.c:3425:(snd_config_hook_load) /home/florian/.asoundrc may be old or corrupted: consider to remove or fix it
    [AO_ALSA] alsa-lib: conf.c:3286:(snd_config_hooks_call) function snd_config_hook_load returned error: Invalid argument
    [AO_ALSA] alsa-lib: conf.c:3671:(snd_config_update_r) hooks failed, removing configuration
    [AO_ALSA] Playback open error: Invalid argument
    Failed to initialize audio driver 'alsa:device=ch51dup'
    Could not open/initialize audio device -> no sound.
    Audio: no sound
    Video: no video
    Exiting... (End of file)
    VLC shows the same error and Exaile says "konfigured audiosink 'bin1' does not work". But in .asoundrc there is no "bin1"...
    It's exactly the same .asoundrc you posted above.
    Edit:
    I noticed that nano messed the line breaks up. So longer comments started in a new line and were not commented of course. I fixed that. Now the output is:
    [AO_ALSA] alsa-lib: pcm_direct.c:936:(snd1_pcm_direct_initialize_slave) unable to set buffer size
    [AO_ALSA] alsa-lib: pcm_dmix.c:1030:(snd_pcm_dmix_open) unable to initialize slave
    [AO_ALSA] Playback open error: Invalid argument
    Failed to initialize audio driver 'alsa:device=ch51dup'
    Could not open/initialize audio device -> no sound.
    Audio: no sound
    Video: no video
    Edit2
    I set a different Buffer size in .asoundrc as the comment told.
    Now
    [AO_ALSA] Unable to get initial parameters: Invalid argument
    Failed to initialize audio driver 'alsa:device=ch51dup'
    Could not open/initialize audio device -> no sound.
    Audio: no sound
    Video: no video
    cat /proc/asound/card0/pcm0p/sub0/hw_params
    closed
    speaker-test -c 6 -D surround51 -t wav gives output on front left and front right And I read it might be a problem since kernel 2.6.34
    Last edited by McFlow (2010-09-07 12:36:59)

  • How to add sound to an application

    how would i add sounds such as 'well done' to an application that is designed for children.
    please could someone guide me as i dont have a clue of how to do this.

    I do it like this:
    sound = new Applet().newAudioClip(getClass().getResource("sound.mid"));of course that's limited to only .mid, .wav, and .au

Maybe you are looking for

  • Content Query not producing results when using [Me] filter

    Hi I'm using a Content Query web part and I'm trying to show the most recent document modified by each site user by applying it across the site collection and using the Filter, Modified By [_Hidden] equals [Me]. However, this doesn't seem to work for

  • Rugged Devices ( Inbound and Outbound Logistics)

    Hi Experts, Has anyone implemented "rugged devices" with bar codes for inbound, outbound logistics. Are there any shortcoming or tips and tricks in implementing this solution in SAP ByDesign. I current have customer who would like to implement this t

  • Konqueror and dolphin do not recognize the installed servicemenu

    I am using KDEmod4 and found that konqueror and dolphin do not recognize the servicemenu installed in the following paths by krename4 and acetoneiso2: /usr/share/apps/dolphin/servicemenus/ /usr/share/apps/d3lphin/servicemenus/ /usr/share/apps/konquer

  • Viewing QTs in Firefox

    I have links on my website to mp4 QTS. In Safari, when you click on the link the movie plays in a new window, however in Firefox the movie doesn't play-a window opens asking whether one wants to save the file. Does anyone know how I can get Firefox t

  • Files with the suffix .mts

    Dear All, I purchased some years ago the Adobe premier elements version 3.0. I try to import video files with the suffix ".mts" but it didn't worked. I have some question in this regards: 1. Does this version (3.0) of Adobe Premier elements support t