Mp3 class?

Hello all,
gentlemen, need a simple mp3 class with play() loop() and stop() methods...Anyone can be help be ?
Regards.

For games, a much better idea than using mp3 for sound is using OGG - it's an open source format, and OGG files are generally smaller in size than the equivalent mp3. There are lots of free utilities that will convert MP3 files to OGG. Even better, there's a free, open source library for handling the OGG format:
[http://www.jcraft.com/jorbis/]
There's a lot of talk on that page about using the library to play ogg files on web pages, but if you dig into the library source, you'll find an example of using it to feed data to JavaSound, which is what you want to do for a game.

Similar Messages

  • Combining File Chooser and this MP3 class

    Hello all,
    I was curious if anyone could help me figure out how to get a file to actually load once it is used with this code.
    I'm unfamiliar with how it works and I was hoping for an explanation on it.
    I wasn't sure if I had to have the program recgonize that I would like to load a mp3 or if it just would load it automatically...
    Essentially, I want to be able to load a mp3 if I use the file chooser.
    I can try to clarify my question more if anyone should need it.
    Thank you
    import java.io.*;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class List extends JPanel
                                 implements ActionListener {
        static private final String newline = "\n";
        JButton openButton, saveButton;
        JTextArea log;
        JFileChooser fc;
        public List() {
            super(new BorderLayout());
            //Create the log first, because the action listeners
            //need to refer to it.
            log = new JTextArea(5,20);
            log.setMargin(new Insets(5,5,5,5));
            log.setEditable(false);
            JScrollPane logScrollPane = new JScrollPane(log);
            //Create a file chooser
            fc = new JFileChooser();
            //Uncomment one of the following lines to try a different
            //file selection mode.  The first allows just directories
            //to be selected (and, at least in the Java look and feel,
            //shown).  The second allows both files and directories
            //to be selected.  If you leave these lines commented out,
            //then the default mode (FILES_ONLY) will be used.
            //fc.setFileSelectionMode(JFileChooser.DIRECTORIES_ONLY);
           // fc.setFileSelectionMode(JFileChooser.FILES_AND_DIRECTORIES);
            //Create the open button.  We use the image from the JLF
            //Graphics Repository (but we extracted it from the jar).
            openButton = new JButton("Open a File...",
                                     createImageIcon("images/Open16.gif"));
            openButton.addActionListener(this);
            //Create the save button.  We use the image from the JLF
            //Graphics Repository (but we extracted it from the jar).
            saveButton = new JButton("Save a File...",
                                     createImageIcon("images/Save16.gif"));
            saveButton.addActionListener(this);
            //For layout purposes, put the buttons in a separate panel
            JPanel buttonPanel = new JPanel(); //use FlowLayout
            buttonPanel.add(openButton);
            buttonPanel.add(saveButton);
            //Add the buttons and the log to this panel.
            add(buttonPanel, BorderLayout.PAGE_START);
            add(logScrollPane, BorderLayout.CENTER);
        public void actionPerformed(ActionEvent e) {
            //Handle open button action.
            if (e.getSource() == openButton) {
                int returnVal = fc.showOpenDialog(List.this);
                if (returnVal == JFileChooser.APPROVE_OPTION) {
                    File file = fc.getSelectedFile();
                    //This is where a real application would open the file.
                    log.append("Opening: " + file.getName() + "." + newline);
                } else {
                    log.append("Open command cancelled by user." + newline);
                log.setCaretPosition(log.getDocument().getLength());
            //Handle save button action.
            } else if (e.getSource() == saveButton) {
                int returnVal = fc.showSaveDialog(List.this);
                if (returnVal == JFileChooser.APPROVE_OPTION) {
                    File file = fc.getSelectedFile();
                    //This is where a real application would save the file.
                    log.append("Saving: " + file.getName() + "." + newline);
                } else {
                    log.append("Save command cancelled by user." + newline);
                log.setCaretPosition(log.getDocument().getLength());
        /** Returns an ImageIcon, or null if the path was invalid. */
        protected static ImageIcon createImageIcon(String path) {
            java.net.URL imgURL = List.class.getResource(path);
            if (imgURL != null) {
                return new ImageIcon(imgURL);
            } else {
                System.err.println("Couldn't find file: " + path);
                return null;
         * Create the GUI and show it.  For thread safety,
         * this method should be invoked from the
         * event-dispatching thread.
        private static void createAndShowGUI() {
            //Create and set up the window.
            JFrame frame = new JFrame("FileChooserDemo");
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            //Create and set up the content pane.
            JComponent newContentPane = new List();
            newContentPane.setOpaque(true); //content panes must be opaque
            frame.setContentPane(newContentPane);
            //Display the window.
            frame.pack();
            frame.setVisible(true);
        public static void main(String[] args) {
            //Schedule a job for the event-dispatching thread:
            //creating and showing this application's GUI.
            javax.swing.SwingUtilities.invokeLater(new Runnable() {
                public void run() {
                    createAndShowGUI();
    }The mp3 class that I've been playing around with...
    import java.io.BufferedInputStream;
    import java.io.FileInputStream;
    import javazoom.jl.player.Player;
    public class MP3 {
        private String filename;
        private Player player;
        // constructor that takes the name of an MP3 file
        public MP3(String filename) {
            this.filename = filename;
        public void close() { if (player != null) player.close(); }
        // play the MP3 file to the sound card
        public void play() {
            try {
                FileInputStream fis = new FileInputStream(filename);
                BufferedInputStream bis = new BufferedInputStream(fis);
                player = new Player(bis);
            catch (Exception e) {
                System.out.println("Problem playing file " + filename);
                System.out.println(e);
            // run in new thread to play in background
            new Thread() {
                public void run() {
                    try { player.play(); }
                    catch (Exception e) { System.out.println(e); }
            }.start();
    // test client
        public static void main(String[] args) {
            String filename = "C:\\FP\\1.mp3";
            MP3 mp3 = new MP3(filename);
            mp3.play();
    }

    Thanks for the link
    I've been looking over the sections and still confused with the code.
    It's obvious that I have to do something with this portion of the code:
    public void actionPerformed(ActionEvent e) {
        //Handle open button action.
        if (e.getSource() == openButton) {
            int returnVal = fc.showOpenDialog(FileChooserDemo.this);
            if (returnVal == JFileChooser.APPROVE_OPTION) {
                File file = fc.getSelectedFile();
                //This is where a real application would open the file.
                log.append("Opening: " + file.getName() + "." + newline);
            } else {
                log.append("Open command cancelled by user." + newline);
    }I'm just not sure what.

  • MP3 classes: do they exist??

    Does anyone know of a free set of classes for MP3 playback? I am trying to program a small game with some good audio, and mp3 sounds like a good solution for small, high quality audio samples. Know if it is implemented in Java?

    Um - mp3 format will be fine for background music, but the trouble is that they take a long time (about half a second) to initialise in Java, so they are not really suitable for sound fx.
    Download and install the Java Media Framework which provides support for mp3 format. It is quite complicated, though. You can play the mp3s by calling the static method
    Manager.createPlayer(URL sourceURL);which returns a Player objects encapsulating the track.

  • Automator still broken - mp3s classed as 'documents' and other "quirks"

    Without going into rant mode, it appears that automator is broken.
    Can anybody explain why, amongst other things which make absolutely no sense, it thinks that .mp3 files are documents?
    I have been trying to use folder actions to keep my downloads folder organised, which used to work fine (albeit with a few quirks if I recall) back in Tiger, but I haven't been able to get work since Leopard/ Snow leopard .
    Just checking there isn't something specifically wrong with my machine before I file a bug report, which I'm pretty sure I did in leopard and then in snow-leopard too.

    Well, mp3 files are documents for those applications that handle them, just as text files are documents for applications that handle text.  I think what is being filtered are document files (vs applications and folders) - there are additional filters for various document types, such as music.

  • Playing a mp3, how do i pause / stop?

    I will start out, saying that I've never written my own thread before, and I'm extremely novice in that area. But I found some code for playing an mp3, that's going to be invoked from a JLayeredPane(that i used to make a little animation sequence.) I can't figure out how to stop the player without calling stop on the thread which is apparently depreciated. Might be off this forums area, but from my swing component, should I be calling this thread with invoke? or invoke and wait. this thread doesn't need access to the swing component, but from the swing thread, I want to be able to stop the player. So here's the code I found
    import javax.media.*;
    import java.io.*;
    import java.net.URL;
    class mp3 extends Thread
      private URL url;
      private MediaLocator mediaLocator;
      private Player playMP3;
      public mp3(String mp3)
        try
         this.url = new URL(mp3);
          catch(java.net.MalformedURLException e)
            System.out.println(e.getMessage());
      public Player getPlayer()
        return this.playMP3;
      public void run()
        try
          mediaLocator = new MediaLocator(url);    
          playMP3 = Manager.createPlayer(mediaLocator);
        catch(java.io.IOException e)
          System.out.println(e.getMessage());
        catch(javax.media.NoPlayerException e)
          System.out.println(e.getMessage());
        playMP3.addControllerListener(
          new ControllerListener()
            public void controllerUpdate(ControllerEvent e)
              if (e instanceof EndOfMediaEvent)
                playMP3.stop();
                playMP3.close();
        playMP3.realize();
        playMP3.start();
    public class playmp3
      public static void main(String[] args)
        mp3 t = new mp3("file:///C://Beat1.mp3");
        t.start();
    }

    You just need to write a stop and a pause function as part of the MP3 class, and make sure it's a syncronized function (if you don't know what this means, look up the Java keyword syncronized).

  • Setting MP3 ID3 tag renders mp3 file useless

    Hi guys,
    I'm using the Java MP3 class Library from www.id3.org and am trying to set the artist and title of my mp3s.
    If anyone has used this library, do you know how I might set this information?
    I've tried using the TagContent object supplied by getArtist() and getTitle(), furthermore I have tried creating a new TagContent and applying the tag to the file, but it just throws exceptions when I next try to read this information from the file.
    e.g I have tried this:
    MP3File f = new MP3File(new File("D:/"),"1999_Prince.mp3");
    TagContent tc = f.getArtist();
    tc.setContent("PRINCE");
    f.setArtist(tc);
    f.update();and also this:
    MP3File f = new MP3File(new File("D:/"),"1999_Prince.mp3");
    TagContent tc = new TagContent();
    tc.setContent("PRINCE");
    f.setArtist(tc);
    f.update();This example only changes the artist to capital letters (I'm just experimenting with the code), but it means when I come to read the file again, I can't read the artist.
    Thanks in advance for any ideas,
    Richard

    Hi,
    I just tried it out too, I was lookin for some java mp3 classes and these look great. I used your code to rename a couple of files as a test and it worked. Onlt difference was I used the single string constructor rather than the (file, String) one. I think that it might be interpreting your D:\ as being the name of the file and it cant find it. I'd try the String,String constructor instead eg ("D:\","file name"). These classes look really interesting. I might create a decent java mp3 editor with um at some stage if I get time!
    Kemal Enver
    [email protected]

  • Simple Mp3clip class

    I want to create a simple mp3 class which youcan use this way:
    Mp3Clip bgsong1 = new Mp3clip("bgsong1.mp3");
    Mp3Clip1.fadeIn(3000); // take 3 seconds to fade the song inI want to make it in a thread, and the fade functions with the sleep function:
    Thread.sleep() and every time increase/decrease the value;
    But I don't understand the player class; The sun documantaire doen't help me enough and I've read many forums. Can someone help me with this?
    public class Mp3clip extends player{
      private player player;
      public void stop(){
      public void loop(){
      public void play(){
      public void fadeOut(Integer time){
      public void fadeIn(Integer time){
      public void fadeInAndLoop(Integer time){
      public void playAudio(){
        try  {
          String url = "http://server/audio.mp3";
          HttpConnection conn = (HttpConnection)Connector.open(url,
            Connector.READ_WRITE);
          InputStream is = conn.openInputStream();
          player = Manager.createPlayer(is,"audio/amr");
          player.realize();
          // get volume control for player and set volume to max
          vc = (VolumeControl) player.getControl("VolumeControl");
          if(vc != null)    {
            vc.setLevel(100);
          player.prefetch();
          player.start();
        }  catch(Exception e){
    }

    so far in my main I have
    public static void main(String[] args)
            //declares a new instance of DeckOfCards and Card
            DeckOfCards deck = new DeckOfCards();
            //shuffles the deck
            deck.shuffle();
            System.out.println(deck.dealCard());
            System.out.println(deck.dealCard());
            System.out.println("Cards left: " + deck.cardsLeft());
    }It does give back the suit of the card (spades, diamonds) but does not give back the number of the card Help!

  • Error parsing feed

    I am trying to publish a feed and I keep getting error parsing feed: Invalid XML the element type "img" must be terminated by the matching end -tag "</img>". But, I can't find that in the source below. I am not too familiar with HTML, but I am able to get in and edit the file via WordPress. I tried to find the line and add the end tag, but it only created another error parsing feed, so I must not have been editing the correct line in the code. Any help would be greatly appreciated. I would love to get this podcast listed, as it is my first and I am excited to see what kind of response we will get.
    <!DOCTYPE html>
    <html xmlns="http://www.w3.org/1999/xhtml">
    <head profile="http://gmpg.org/xfn/11">
    <title>LuvCast &#8211; Listen before you Do it* &#8211; Honeymoons and Destination Weddings</title>
    <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
    <meta name="generator" content="WordPress 3.3.1" /> <!-- leave this for stats please -->
        <script src="http://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js"></script>
        <link rel="stylesheet" type="text/css" href="http://goluv.com/css/buttons.css" />
    <link rel="stylesheet" href="http://podcast.goluv.com/wp-content/themes/clean theme/style.css" type="text/css" media="screen" />
    <link rel="alternate" type="application/rss+xml" title="RSS 2.0" href="http://podcast.goluv.com/?feed=rss2" />
    <link rel="alternate" type="text/xml" title="RSS .92" href="http://podcast.goluv.com/?feed=rss" />
    <link rel="alternate" type="application/atom+xml" title="Atom 0.3" href="http://podcast.goluv.com/?feed=atom" />
    <link rel="pingback" href="http://podcast.goluv.com/xmlrpc.php" />
    <link rel='archives' title='July 2012' href='http://podcast.goluv.com/?m=201207' />
    <link rel='stylesheet' id='admin-bar-css'  href='http://podcast.goluv.com/wp-includes/css/admin-bar.css?ver=20111209' type='text/css' media='all' />
    <link rel="EditURI" type="application/rsd+xml" title="RSD" href="http://podcast.goluv.com/xmlrpc.php?rsd" />
    <link rel="wlwmanifest" type="application/wlwmanifest+xml" href="http://podcast.goluv.com/wp-includes/wlwmanifest.xml" />
    <meta name="generator" content="WordPress 3.3.1" />
    <script type="text/javascript" src="http://podcast.goluv.com/wp-content/plugins/powerpress/player.js"></script>
    <script type="text/javascript"><!--
    function powerpress_pinw(pinw){window.open('http://podcast.goluv.com/?powerpress_pinw='+pinw, 'PowerPressPlayer','toolbar=0,status=0,resizable=1,width=460,height=320');      return false;}
    powerpress_url = 'http://podcast.goluv.com/wp-content/plugins/powerpress/';
    //-->
    </script>
    <style type="text/css" media="print">#wpadminbar { display:none; }</style>
    <style type="text/css" media="screen">
    html { margin-top: 28px !important; }
    * html body { margin-top: 28px !important; }
    </style>
    </head>
    <body>
    <div id="wrap">
    <!-- Weird JavaScript -->
    <link href='http://goluv.com/plugin/pkg/modal/modal.min.css' rel='stylesheet' type='text/css' />
    <script type='text/javascript' src='http://goluv.com/plugin/pkg/modal/modal.min.js'></script>
    <!-- End Weird Javascript -->
    <div id="header">
            <div class='left'>
      <a href="/index.php"><img src="/images/logo.gif" alt="GoAwayTravel.com | We Find the Best Deals so You Won't Have to!" /></a>
            </div> <!-- End Left -->
            <div class='right'>
            <a class="poplight first phone" rel="call_popup" href="#"><img src="http://goluv.com/images/call-us.gif" alt="Give Us a Call for a Great Deal!" /></a>
            </div> <!-- End Right -->
    <script type="text/javascript" src="http://static.weddingwire.com/static/js/widgets/mobileRedirect.js"></script><script type="text/javascript"><!--
    WeddingWire.mobile.detectMobile({"storefrontURL":"/website/goluv-crystal-city/85 d39032dbe2243b.html"});
    --></script>
    <div style='clear:both;'></div>
        <ul id='nav'>
      <li><a href="http://www.goluv.com">Home</a></li>
            <li><a href="http://goluv.com/resorts/">Resorts</a></li>
            <li><a href="http://goluv.com/destinations/">Destinations</a></li>
            <li><a href="http://goluv.com/destination-weddings/">Destination Weddings</a></li>
            <li><a href="http://goluv.com/wedding-requirements/">Wedding Requirements</a></li>
            <li><a href="http://goluv.com/honeymoon-packages/">Honeymoons</a></li>
            <li><a href="http://goluv.com/quote.php">Do It<span class="hot">*</span></a></li>
            <li><a href="http://podcast.goluv.com">Podcast</a></li>
            <li><iframe src="http://www.facebook.com/plugins/like.php?href=http%3A%2F%2Fwww.facebook.com%2Fpa ges%2FGoLuv%2F142166732536129&amp;layout=button_count&amp;show_faces=false&amp;width=110&amp;action=like&amp;colorscheme=light&amp;height=21" scrolling="no" frameborder="0" style="border:none; overflow:hidden; width:110px; height:21px; margin-top:5px;" allowTransparency="true"></iframe><!-- AddToAny BEGIN --></li>
        </ul> <!-- End Nav -->
    </div> <!-- End Header -->
    <!-- Call Box -->
    <div id="call_popup" class="popup_block">
    <h2 style='display:block;'>
        We're Here to Help Every Step of the Way!
        <div class='clear'></div>
        </h2>
        <h5>Fill out the form below with your phone number and name, and get a call within seconds!</h5>
        <form id='callform' action="http://igocheap.com/sale/call" method="post">
      <div class='call-controls'>
            Your Phone Number:
            <input id="callPhone" name="phone" type='text' style='margin-right:10px;'/>
            Your Name:
            <input id="callName" name="name" type='text'/>
    </div> <!-- End Call Controls -->
            <input type='submit' class="orange button bold" value='Call Now!'/>
        </form>
    </div>
    <!-- End Call Box -->
    <div class='block'>
    <img src='images/luvcast-banner.jpg' id='banner' />
    <div id="content" class="left">
    <div class="post" id="post-19">
      <div class='title'>
    <h2><a href="http://podcast.goluv.com/?p=19" title="Drumroll Please&#8230;Our First Podcast!">Drumroll Please&#8230;Our First Podcast!</a></h2>
                    <div class='right'>
      <div class='metadata'>
    Posted By&#58;  <span class='author'>admin</span>
    </div> <!-- End MetaData -->
                    </div> <!-- End Right -->
                    </div> <!-- End Title -->
      <div class="entry">
      <p>Check out our first installment of the LuvCast, your show for the latest in Destination Wedding and Honeymoon information. We will cover the latest news and feature a topic each episode, and don&#8217;t miss our Deals We Luv segment that will feature some of the great opportunities to get more for your money when booking your Destination Wedding or Honeymoon. There will be plenty of opportunities for silliness and giveaways as well, so tune in and enjoy!</p>
    <p>Find out what is featured in this episode by clicking the play button below, or download the podcast to play later.</p>
    <p> </p>
    <p> </p>
    <p> </p>
    <div class="powerpress_player" id="powerpress_player_1374"></div>
    <script type="text/javascript"><!--
    pp_flashembed(
    'powerpress_player_1374',
    {src: 'http://podcast.goluv.com/wp-content/plugins/powerpress/FlowPlayerClassic.swf', width: '320', height: '24', wmode: 'transparent' },
    {config: { autoPlay: false, autoBuffering: false, showFullScreenButton: false, showMenu: false, videoFile: 'http://goluv.com/podcast/mp3/GL-2012-07-18.mp3', loop: false, autoRewind: true } }
    //-->
    </script>
    <p class="powerpress_links powerpress_links_mp3">Podcast: <a href="http://goluv.com/podcast/mp3/GL-2012-07-18.mp3" class="powerpress_link_pinw" target="_blank" title="Play in new window" onclick="return powerpress_pinw('19-podcast');">Play in new window</a>
    | <a href="http://goluv.com/podcast/mp3/GL-2012-07-18.mp3" class="powerpress_link_d" title="Download">Download</a>
    </p>
    </div> <!-- End Entry -->
      </div> <!-- End Post -->
    <div class="navigation">
            </div> <!-- End Navigation -->
    </div> <!-- End Content -->
    <div id="sidebar" class="left">
    <a href="http://goluv.com/destination-weddings/"><img src="http://goluv.com/images/destination-wedding-btn.gif" alt="Get Started with Destination Weddings"></a>
    <a href="http://goluv.com/honeymoon-packages/"><img src="http://goluv.com/images/honeymoon-btn.gif" alt="Get Started with a Honeymoon, Destination Weddings are awesome as well."></a>
                 <!-- BEGIN ProvideSupport.com Graphics Chat Button Code -->
    <div id="cieaqt" style="z-index: 100; position: absolute;"></div><div id="sceaqt" style="display: inline;"><a href="#" onclick="pseaqtow(); return false;"><img name="pseaqtimage" src="http://www.goluv.com/images/live-on.gif" border="0"></a></div><div id="sdeaqt" style="display: none;"><script src="http://image.providesupport.com/js/goawaytravel/safe-standard.js?ps_h=eaqt&amp;ps_t=1332292759058&amp;online-image=http%3A//www.goluv.com/images/live-on.gif&amp;offline-image=http%3A//www.goluv.com/images/live-off.gif" type="text/javascript"></script></div><script type="text/javascript">var seeaqt=document.createElement("script");seeaqt.type="text/javascript";var
                                           seeaqts=(location.protocol.indexOf("https")==0?"https":"http")+"://image.provid esupport.com/js/goawaytravel/safe-standard.js?ps_h=eaqt\u0026ps_t="+new
                                           Date().getTime()+"\u0026online-image=http%3A//www.goluv.com/images/live-on.gif\ u0026offline-image=http%3A//www.goluv.com/images/live-off.gif";setTimeout("seeaq t.src=seeaqts;document.getElementById('sdeaqt').appendChild(seeaqt)",1)</script><noscript><div
                                           style="display:inline"><a href="http://www.providesupport.com?messenger=goawaytravel">Customer Service Help Desk</a></div></noscript>
    <!-- END ProvideSupport.com Custom Images Chat Button Code -->
    <a href="http://goluv.honeymoonwishes.com" target="_blank"><img src="http://goluv.com/images/registry-btn.gif" alt="Free Honeymoon Registry and Wedding Website, compliments of GoLuv! Destination Weddings Specialists."></a>
                <iframe src="http://www.facebook.com/plugins/likebox.php?href=http%3A%2F%2Fwww.facebook.com%2 Fpages%2FGoLuv%2F142166732536129&amp;width=300&amp;colorscheme=light&amp;show_faces=true&amp;border_color=%23CCCCCC&amp;stream=true&amp;header=true&amp;height=400" style="border-color: rgb(102, 102, 102); overflow: hidden; width: 300px; height: 400px; border-radius: 10px 10px 10px 10px;" allowtransparency="true" frameborder="0" scrolling="no"></iframe>
    </div> <!-- End Sidebar -->
    </div> <!-- End Block -->
    <div class="footer">
    <div class="copy">
            <div class="copy right"><strong>Call Us: 800.657.4307</strong></div>
            <strong style="vertical-align:top;">&copy; 2012 GoTrips - GoLuv</strong>
            <iframe src="http://www.facebook.com/plugins/like.php?href=http%3A%2F%2Fwww.facebook.com%2Fpa ges%2FGoLuv%2F142166732536129&amp;layout=button_count&amp;show_faces=false&amp;width=110&amp;action=like&amp;colorscheme=light&amp;height=21" scrolling="no" frameborder="0" style="border:none; overflow:hidden; width:80px; height:21px;" allowTransparency="true"></iframe><!-- AddToAny BEGIN -->
      <a href="http://www.youtube.com/user/goluvtv" target="_blank" class="tube"><img src="http://goluv.com/images/youtube-icon.jpg" alt="Check Out Our YouTube Channel!" /></a>
             <a href="javascript:void((function(){var%20e=document.createElement('script');e.setAttrib ute('type','text/javascript');e.setAttribute('charset','UTF-8');e.setAttribute(' src','http://assets.pinterest.com/js/pinmarklet.js?r='+Math.random()*99999999);d ocument.body.appendChild(e)})());"><img alt="Pin It" class="aligncenter" src="http://goluv.com/images/pin-it.jpg" /></a>
                     <span class="st_sharethis_hcount" displayText='Share' style="vertical-align:top;"></span>
    <script type="text/javascript" src="http://w.sharethis.com/button/buttons.js"></script>
    <script type="text/javascript">
            stLight.options({
                    publisher:'befb0800-89e7-4f89-ba09-8ec30dcd40b2',
    tracking:'google',
                    embeds:'true'
    </script>
    <div class="clear"></div>
    </div> <!-- End Copy -->
            <br>
            <div class="f-logos">
            <table class="safe" cellpadding="0" cellspacing="0" width="950">
            <tbody><tr>
            <td width="193">
            <a href="/site-user-agreement.html" class="info">Site Usage Agreement</a>
            </td>
            <td width="157">
            <a href="/customer-support.html" class="info">Customer Service</a>
            </td>
            <td width="131">
            <a href="/privacy-policy.html" class="info">Privacy Policy</a>
            </td>
           <td width="96">
            <a href="/about-us.html" class="info">About Us</a>
            </td>
            <td width="139">
            <a href="/quote/join-us.html" class="info">Join Our Team</a>
            </td>
            <td width="232">
            <a href="https://goluv.com/creditcardform.php">Credit Card Authorization Form</a>
            </td>
           </tr>
            </tbody></table>
                </div> <!-- End f-logos -->
    </div> <!-- End Footer -->
    </div> <!-- End Wrap -->
    </body>
    </html>

    Firstly, please always publish the URL of a feed, not its contents.
    But in any case, this is not a feed: it's an HTML web page and as such won't be accepted by iTunes.
    There is a link to what is presumably the feed at http://podcast.goluv.com/?feed=rss2 - this does appear to be a valid feed and is what you should submit to iTunes.

  • PHP Script works in Chrome, IE9 but not in Firefox 15

    This page is a PHP script for creating hyperlinks to all files in a directory:
    http://www.checktheevidence.co.uk/audio/index.php?dir=&sort=date&order=desc
    It works fine in IE9 and Chrome, but Firefox "give up" about 3/4 way down the listing the hyperlinks for the files are no longer shown. Weird stuff.
    This issue has been present for a long time

    It's not pretty, is it. The problem is that your page opens &lt;strong> tags without closing them. For example:
    &lt;div>
    &lt;a href="Victoria Derbyshire Cuts off Police Constable talking about The Club in the Police - Radio 5 Live - 13 Sep 2012.mp3" class="w"><b>&lt;strong></b>Victoria Derbyshire Cuts off Police Constable talking about The Club in the Police - Radio 5 Live - 13 Sep 2012.mp3 &lt;/a>
    (1.5 MB) (Modified: Sep 17 2012 11:06:37 PM)
    &lt;/div>
    This causes Firefox to "nest" tags in the page past a maximum depth. After that point, it just dumps text to the page. Similar/related past threads:
    * [https://support.mozilla.org/en-US/questions/846246 Part way through a particular web page, HTML stops being rendered]
    * [https://support.mozilla.org/en-US/questions/929969 text is missing from webpage]
    So just a small fix to your PHP and you should be good to go.

  • Preview in safari inaccurate.

    Hi. Im new to dreamweaver. When I preview in Safari the font is different. When I preview in Firefox, everything is fine. When my website is finished, will it display correctly in Safari? Is there an error in the preview?
    <!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>
    <link href="getit.css" rel="stylesheet" type="text/css" />
    <style type="text/css">
    #apDiv1 {
    position:absolute;
    left:281px;
    top:276px;
    width:434px;
    height:174px;
    z-index:1;
    #apDiv2 {
    position:absolute;
    left:262px;
    top:259px;
    width:379px;
    height:121px;
    z-index:1;
    #apDiv3 {
    position:absolute;
    left:22px;
    top:461px;
    width:1188px;
    height:130px;
    z-index:2;
    </style>
    </head>
    <body class="real">
    <div class="font2" id="apDiv2">internet /s broken. </div>
    <div class="heading" id="apDiv3"><a href="about.html">about</a> <a href="audio.html">audio</a> <a href="visual.html">visual</a> <a href="data.html">data</a> <a href="links.html">links</a></div>
    <div class="divtag">
    i <a href="http://www.apple.com/startpage/">think</a> i <a href="03 The Merry Barracks.mp3" class="real">get</a> it.
    </div>
    </body>
    @charset "UTF-8";
    /* CSS Document */
    body {background-image:url(dusty_soil_lumps_2030156.JPG.jpeg)}
    .real {
    font-family: Arial, Helvetica, sans-serif;
    font-size: x-large;
    font-style: italic;
    color: #03C;
    text-decoration: none;
    .real a:link {
    font-family: Arial, Helvetica, sans-serif;
    font-size: x-large;
    font-style: italic;
    color: #03C;
    text-decoration: none;
    }.real a:hover {
    font-family: Arial, Helvetica, sans-serif;
    font-size: x-large;
    font-style: italic;
    color: pink;
    text-decoration: none;
    }.real a:visited {
    font-family: Arial, Helvetica, sans-serif;
    font-size: x-large;
    font-style: italic;
    color: #03C;
    text-decoration: none;
    }.real a:active {
    font-family: Arial, Helvetica, sans-serif;
    font-size: x-large;
    font-style: italic;
    color: #03C;
    text-decoration: none;
    .divtag {
    background-color:#FF6;
    height: 25px;
    width: 225px;
    margin: 140px;
    margin-left: 0%;
    .divtag2 {
    background-color:#F39;
    height: 225px;
    width: 425px;
    margin: 140px;
    margin-left: 0%;
    .font2 {
    color:#CF3;
    font-size:36px;
    background-image:url(2003IvryTCb.jpg);
    padding-top: 50px;
    padding-right: 20px;
    padding-bottom: 20px;
    padding-left: 40px;
    .heading {
    font-family: "Courier New", Courier, monospace;
    font-size: 36px;
    color: #F93;
    text-decoration: none;
    word-spacing: 80px;
    .heading a:link {
    font-family: "Courier New", Courier, monospace;
    font-size: 36px;
    color: #F93;
    text-decoration: none;
    word-spacing: 80px;
    .heading a:hover {
    font-family: "Courier New", Courier, monospace;
    font-size: 36px;
    color: #63C;
    text-decoration: none;
    word-spacing: 80px;
    background-color: #F90;
    padding: 4px;
    border: 6px 3 #CF0;
    .heading a:visited {
    font-family: "Courier New", Courier, monospace;
    font-size: 36px;
    color: #F93;
    text-decoration: none;
    word-spacing: 80px;
    .heading a:active {
    font-family: "Courier New", Courier, monospace;
    font-size: 36px;
    color: #F93;
    text-decoration: none;
    word-spacing: 80px;

    nope. that didn't work.
    Can we confirm that the browser preview is accurate? I read somwhere that the browser preview is prone to error. This is key. I dont care if the browser preview is glitchy as long as the final product works.Can anyone confirm that If I post my dreamweaver project online,  I have the same problems as in my preview?
    Does css and html have to be written differently in Safari? If so, how do I do this?
    This is incredibly frustrating. There has to be a simple solution, as everything works well in firefox.
    here is another example. just made this. in firefox eveything is fine. in safari, the div box size and the text font if different:
    <!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>
    <link href="newfake.html.css" rel="stylesheet" type="text/css" />
    </head>
    <body><div class="divvy1">
    hello. <a href="safari.http">safari</a> wacked up my website.</div>
    </body>
    </html>
    .divvy1 {
    font-family: Arial, Helvetica, sans-serif;
    font-size: 44px;
    background-image: url(typewriter-ascii-art-21.jpg);
    color: #0C3;
    width: 400px;
    .divvy1 a:link {
    font-family: Arial, Helvetica, sans-serif;
    font-size: 44px;
    background-image: url(typewriter-ascii-art-21.jpg);
    color: #0C3;
    width: 400px;
    text-decoration: none;
    .divvy1 a:hover {
    font-family: Arial, Helvetica, sans-serif;
    font-size: 44px;
    background-image: url(typewriter-ascii-art-21.jpg);
    color: #CF3;
    width: 400px;
    text-decoration: none;

  • Flex as vst  OR Flex export audio

    im working on a flex drum machine and was wondering if there was a way that i could hook my flex/air app into logic as a vst? if not could i do something like say write and export what i have as an audio file to then be opened in logic?

    Exporting audio is currently not supported. For instance, there's no MP3 API.
    Try looking around at Benjamin Dobler's blog, maybe there's an mp3 class there that you can use.
    This project may have something uselful: http://richapps.de/?cat=6
    Check out the source code (right click -> view source) on this app: http://www.richapps.de/files/filereferencemp3/LoadMp2Filereference.html
    You can download the sources at the bottom of the "view source" page.
    Also have a look at Andre Michelle's blog. Lots of audio stuff there.

  • In AIR 2.0, convert WAV recorded with Microphone class to MP3

    I can record audio files with the new Microphone class in Adobe AIR 2.0, but I'm wondering how to convert the WAV files to MP3 or some other compressed format in Flex.  Thanks!

    There is a specific AIR 2 forum:
    http://forums.adobe.com/community/labs/air2/
    You could get much better support over there.
    -ted

  • Creative could fork over class-action settlement over exaggerated MP3 capacities, ne

    https://www.creativehddmp3settlement.com/welcome.asp?
    Couldn't fit those last two Oingo Boingo albums on your Zen when you thought you had enough space? Get ready for payback, because if you own a Creative Labs MP3 player made between May 5, 200 and April 30, 2008, you could be entitled to a class-action settlement over this very issue. The proposed settlement -- not the first of its kind -- will force Creative to "make certain disclosures regarding the storage capacity of its hard disc dri've MP3 players" and give a 50% discount on a new GB player or 20% off any item purchased at Creative's online store, if it's approved by the court. For its part, Creative denies any wrongdoing, but it looks like it's offering up the settlement to smooth thing over with consumers -- but you know it's going to fight the $900,000 requested by plaintiffs' attorneys in fees. Applications are due by August 7, 2008, so start digging up those serial numbers.
    Read
    Source: http://www.engadget.com/

    Saw that this morning.
    IMHO the only one who wins are the lawyers.
    I don't qualify for the 50% off a GB mp3 player (that isn't much capacity any more) and it isn't worth my time to save 20% off a Creative item purchased via their online store (that would just about bring the prices down to the Amazon level.)
    This really is only the difference between how one calculates hard disk drive space (024 vs 000.) Anyone who's used a computer (or monitor) for any length of time at all is familiar with the argument. Their marketing should've caught this....

  • Now that the Ipod classis is gone, where do I go for a decent mp3 player please?

    now that the Ipod classis is gone, where do I go for a decent mp3 player please?

    You can now see this icon on the right end side of the location bar.
    * https://support.mozilla.org/kb/pop-blocker-settings-exceptions-troubleshooting
    If you click that icon then the drop down list has a checkbox "Don't show info bar when pop-ups are blocked"
    You can look at this pref on the about:config page and reset them via the right-click context menu:
    Info bar at the top: privacy.popups.showBrowserMessage
    *http://kb.mozillazine.org/about:config

  • How Do I Use an External MP3 file Without Embedding it? (AS2)

    I am using Adobe Flash CS6 with ActionScript 2.0.
    I have compiled my project, and due the collection of embedded mp3 files (background music) I am using on various locations, my published swf file is over 12MB.
    To reduce the size, I placed all the mp3 fiels in the same folder as the swf file and removed all reference to them from the project.
    I then added this code to frame #1
    import flash.events.Event;
    import flash.media.Sound;
    import flash.net.URLRequest;
    var CreditsMusic:URLRequest = new URLRequest("NineWalkers.mp3");
    var s:Sound = new Sound(CreditsMusic);
    CreditsMusic.setVolume(50);
    CreditsMusic.start(0,1);
    Obviously, this is not working (I would not be posting here if it was).
    What am I doing wrong?

    I haven't look into the help documents (you can), but I see you mixing up AS2 and AS3 code, along with treating a URLRequest (AS3) as if it is a Sound object....
         CreditsMusic.setVolume(50);
         CreditsMusic.start(0,1);
    If you want to work with the Sound class in AS2 open the help documents and see what properties and methods are available for the Sound class and work things out from there.  If you search Google using "AS2 Sound loadSound" you might get some good info as well.

Maybe you are looking for

  • Cancellation of 122 for Sub contracting PO

    Dear Sir/mam Child item send to vendor through 541and when Parent material is received we do migo 101 for Parent Material and stock is posted to quality,if accpeted it is in unrestricted but if rejected we post to return delivery and mvt type 122.Can

  • Solaris 10 x86 64-bit wireless connection problem

    I installed Solaris 10 x86 32-bit on my laptop together with Fedora 10 (Linux) and Windows XP. When I boot up Fedora 10 and WinXP, these two OS are able to find the wireless driver automatically, but Solaris 10 failed. When I do prtconf -pv, I saw my

  • Illegible concersions from PDF to Word

    My pdfs recently converted to docx format in Word for Mac (runing Yosemite)  are in unreadable characters. Does anyone have an idea of how to reproduce these files so they can be cut and pasted? Otherwise this $23 a year is going to be a big waste. T

  • Sending Adobe form in perzonalized mail forms

    Hi I created a personalized mail form and I want to send the Adobe PDF form of the contract to the customer along with the personalized mail forms. I know how to send  a personalized mail form, but not sure how do we attach the generate the PDF and a

  • BM_FUNCTION_RANGE_F4 - More details on this function module

    Hi, Please anyone let me know how to retrieve the components data from this function module rather than display the components. Otherwise is there any function module which only retrieve components data but not displaying .