I need to edit sections of several songs into a single track on a CD for a dressage test. Any ideas what software I need to get to achieve this?

I need to edit sections of several songs into a single track on a CD for a dressage test. Any ideas what software I need to get to achieve this?

Audacity 1.2.5 is an audio editor in which you can assemble and edit your recordings: it's free. I don't think it would burn CDs - you would have to reimport the finished recording into iTunes and burn from there.
Amadeus Lite is $24.99 in the Mac App Store and is in my opinion a better product: it can burn your audio CD directly.
If this is a one-off job you might as well use Audacity: if you are planning on doing this sort of thing at all often you would probably be better off either with Amadeus Lite or Amadeus Pro ($59.99) though this latter may well be over-specified for you as it includes multi-track editing.

Similar Messages

  • Need help with query joining several tables into a single return line

    what i have:
    tableA:
    puid, task
    id0, task0
    id1, task1
    id2, task2
    tableB:
    puid, seq, state
    id0, 0, foo
    id0, 1, bar
    id0, 2, me
    id1, 0, foo
    id2, 0, foo
    id2, 1, bar
    tableC:
    puid, seq, date
    id0, 0, 12/21
    id0, 1, 12/22
    id0, 2, 12/22
    id1, 0, 12/23
    id2, 0, 12/22
    id2, 1, 12/23
    what i'd like to return:
    id0, task0, 12/21, 12/22, 12/22
    id1, task1, 12/23, N/A, N/A
    id2, task2, 12/22, 12/23, N/A
    N/A doesn't mean return the string "N/A"... it just means there was no value, so we don't need anything in this column (null?)
    i can get output like below through several joins, however i was hoping to condense each "id" into a single line...
    id0, task0, 12/21
    id0, task0, 12/22
    id0, task0, 12/23
    id1, task1, 12/23
    is this possible fairly easily?
    Edited by: user9979830 on Mar 29, 2011 10:53 AM
    Edited by: user9979830 on Mar 29, 2011 10:58 AM

    Hi,
    Welcome to the forum!
    user9979830 wrote:
    what i have:...Thanks for posting that so clearly!
    Whenever you have a question, it's even better if you post CREATE TABLE and INSERT statements for your sample data, like this:
    CREATE TABLE     tablea
    (       puid     VARCHAR2 (5)
    ,     task     VARCHAR2 (5)
    INSERT INTO tablea (puid, task) VALUES ('id0',  'task0');
    INSERT INTO tablea (puid, task) VALUES ('id1',  'task1');
    INSERT INTO tablea (puid, task) VALUES ('id2',  'task2');
    CREATE TABLE     tablec
    (       puid     VARCHAR2 (5)
    ,     seq     NUMBER (3)
    ,     dt     DATE          -- DATE is not a good column name
    INSERT INTO tablec (puid, seq, dt) VALUES ('id0',  0,  DATE '2010-12-21');
    INSERT INTO tablec (puid, seq, dt) VALUES ('id0',  1,  DATE '2010-12-22');
    INSERT INTO tablec (puid, seq, dt) VALUES ('id0',  2,  DATE '2010-12-22');
    INSERT INTO tablec (puid, seq, dt) VALUES ('id1',  0,  DATE '2010-12-23');
    INSERT INTO tablec (puid, seq, dt) VALUES ('id2',  0,  DATE '2010-12-22');
    INSERT INTO tablec (puid, seq, dt) VALUES ('id2',  1,  DATE '2010-12-23');This way, people can re-create the problem and test their ideas.
    It doesn't look like tableb plays any role in this problem, so I didn't post it.
    Explain how you get the results from that data. For example, why do you want this row in the results:
    PUID  TASK  DT1        DT2        DT3
    id0   task0 12/21/2010 12/22/2010 12/22/2010rather than, say
    PUID  TASK  DT1        DT2        DT3
    id0   task0 12/22/2010 12/21/2010 12/22/2010? Does 12/21 have to go in the first column because it is the earliest date, or is it because 12/21 is related to the lowest seq value? Or do you even care about the order, just as long as all 3 dates are shown?
    Always say what version of Oracle you're uisng. The query below will work in Oracle 9 (and up), but starting in Oracle 11, the SELECT ... PIVOT feature could help you.
    i can get output like below through several joins, however i was hoping to condense each "id" into a single line... Condensing the output, so that there's only one line for each puid, sounds like a job for "GROUP BY puid":
    WITH     got_r_num     AS
         SELECT     puid
         ,     dt
         ,     ROW_NUMBER () OVER ( PARTITION BY  puid
                                   ORDER BY          seq          -- and/or dt
                           )         AS r_num
         FROM    tablec
    --     WHERE     ...     -- If you need any filtering, put it here
    SELECT       a.puid
    ,       a.task
    ,       MIN (CASE WHEN r.r_num = 1 THEN r.dt END)     AS dt1
    ,       MIN (CASE WHEN r.r_num = 2 THEN r.dt END)     AS dt2
    ,       MIN (CASE WHEN r.r_num = 3 THEN r.dt END)     AS dt3
    ,       MIN (CASE WHEN r.r_num = 4 THEN r.dt END)     AS dt4
    FROM       tablea    a
    JOIN       got_r_num r  ON   a.puid  = r.puid
    GROUP BY  a.puid
    ,            a.task
    ORDER BY  a.puid
    ;I'm guessing that you want the dates arranged by seq; that is, for each puid, the date related to the lowest seq comes first, regardless of whther that date is the earliest date for that puid or not. If that's not what you need, then change the analytic ORDER BY clause.
    This does not assume that the seq values are always consecutive integers (0, 1, 2, ...) for each puid. You can skip, or even duplicate values. However, if the values are always consecutive integers, starting from 0, then you could simplify this. You won't need a sub-query at all; just use seq instead of r_num in the main query.
    Here's the output I got from the query above:
    PUID  TASK  DT1        DT2        DT3        DT4
    id0   task0 12/21/2010 12/22/2010 12/22/2010
    id1   task1 12/23/2010
    id2   task2 12/22/2010 12/23/2010As posted, the query will display the first 4 dts for each puid.
    If there are fewer than 4 dts for a puid, the query will still work. It will leave some columns NULL at the end.
    If there are more than 4 dts for a puid, the query will still work. It will display the first 4, and ignore the others.
    There's nothing special about the number 4; you could make it 3, or 5, or 35, but whatever number you choose, you have to hard-code that many columns into the query, and always get that many columns of output.
    For various ways to deal with a variable number of pivoted coolumns, see the following thread:
    PL/SQL
    This question actually doesn't have anything to do with SQL*Plus; it's strictly a SQL question, and SQL questions are best posted on the "SQL and PL/SQL" forum:
    PL/SQL
    If you're not sure whether a question is more of a SQL question or a SQL*Plus question, then post it on the SQL forum. Many more people pay attention to that forum than to this one.

  • Why Does iTunes Make Combining Songs Into a Single Album So Difficult?

    Can anyone explain, or refer me to a website, that explains and lists in a "1,2,3" manner the illogic of the iTunes "get info" panes and why iTunes splits, combines and erases data depending upon what you put in the "get info" area. I have looked at many websites with suggestions and some work and some don't. The frustration I have is that I cannot decipher the logic of what iTunes is doing. Some comments and examples:
    1. I thought it was convention when you highlight multiple anythings, and specify a change, this change is done on all highlighted things. For example, when I want to combine several songs into a single album, highlight them all and fill in information in the "get info area", sometimes it combines, sometimes it splits the songs, sometimes it erases the artwork. Even when I specify "part of a compilation".
    2. Sometimes when I add "various artists", it combines the various highlighted songs but then erases the artwork.
    3. One would think that when you specify any songs as "part of a compilation" that would automatically force these songs into a single album. Sometimes iTunes does, and sometime it does not.
    4. Even when I think I have entered exactly the same information there apparently is something different. It has taken me up to 15 minutes first of very careful checking of spelling, spacing, etc. then just totally randomly changing something before I can get songs together.
    5. Why isn't there just a very simple button that says something like: "no matter what, force the highlighted songs into a single album? Is there any way to simply and easily force songs together into a single album no matter what is in the individual "get info" areas?
    Anyway, you get the idea. Surely there is some set of rules or logic that I am totally missing. Thanks.

    Thanks, that was extremely helpful but unfortunately this very well laid out website confirms the fact that this is a very un-Apple-like interface that is confusing, contradictory and extremely difficult to use. Not sure if anyone from Apple reads these threads, but in the next version they need to do an extremely serious remake. I think this part of the interface must have been designed by refugees from the PC camp who somehow got hired by Apple!
    Thanks again.

  • I need to add bpm to my songs but in some of them i just can't add/modify any info. it seems like it happens only with the verified songs (the ones i download from souncloud work for example) probably verified trough gracenote..is there anything i can do?

    i need to add bpm to my songs but in some of them i just can't add/modify any info. it seems like it happens only with the verified songs (the ones i download from souncloud work for example) probably verified trough gracenote..is there anything i can do?
    this is what happens when i try to add/modify the infos and it doesn't work, i'm even unable to click in the spaces
    thanks for your attention,sorry for the bad english

    Right-click on your main iTunes folder and click Properties, then go to the Security tab and click Advanced. If necessary grant your account and system full control to this folder, subfolders and files, then tick the option to replace permissions on child objects which will repair permissions throughout the library. This is the XP dialog but Windows 7 shouldn't be too different.
    tt2

  • Combining several songs into one album

    I have numerous songs from different artists that I want to combine into one album, so that when I browse using either Cover Flow or Album View, all those songs will be listed under one album. After over two hours of searching on the Internet I found this very useful site:
    http://docs.info.apple.com/article.html?artnum=304389
    The problem that I am encountering is the one illustrated under the heading "Albums with various artists." After following all the recommendations, I am still encountering the same problem - each song is listed under a separate album. Anyone have any idea what to do? For the record I have already tried these remedies:
    -Selected all the songs and changed the album name so that they all have the exact same album name
    -Selected all the songs and changed the album artist name so that they all have the exact same album artist name
    -Selected all the songs and set "compilation" to "yes"
    -In Preferences, under the General tab I checked "Group compilations when browsing"
    Thank you in advance.

    The albums will only show up under the same cover in Cover Flow if you are sorting by Album or Album by Artist.

  • Recently purchased Iphone4 after owning an itouch for several years.  after syncing only 37 out of over 500 contacts came across to the new phone. any ideas what i'm doing wrong??

    I  recently purchased an iphone4 after owning a itouch for several years.after syncing ,only 37 out of over 500 contacts came across to the new phone.any ideas what i'm doing wrong

    Did you already try to reset the sync history?
    If you find that some of your data syncs to your device but you see an unexpected number of changes or modifications, you may need to reset your sync history. This causes iTunes to prompt to Merge or Replace information on the device when you next attempt to sync your information. To reset your Sync History:
    Open iTunes.
    From the Edit menu, choose Preferences.
    Click the Devices tab.
    Click the Reset Sync History button.
    copied from iPhone, iPad, iPod touch: Troubleshooting contact and calendar syncing via USB on Windows

  • After 8.1.3 update several apps have become inactive, and it is impossible to uninstall them. Any idea?

    After 8.1.3 update several apps have become inactive, and it is impossible to uninstall them. Any idea?

    Well now it is even more important that you provide some details as to what is happening. We were merely taking guesses, so we need feedback now.

  • I have an iPad 2 and want to be able to design my own templates for invitations, labels, and such. What do I need to do to be able to do this? Apps??

    I have an iPad 2 and want to be able to design my own templates for invitations, labels, and such. What do I need to do to be able to do this? Apps??

    Take a look at these three sites and you might find something in one that will work for you.
    http://appadvice.com/appnn/2011/06/appguide-updated-vector-drawing-apps-ipad
    http://jaevin.com/blog/2011/02/20/ipad-sketching-drawing-apps/
    http://www.designer-daily.com/10-great-ipad-applications-for-creative-people-623 4
    I downloaded iDraw - which is an Adobe Illustrator wannabe for the iPad. You can export to PDF and other formats using iDraw. iDraw also supports file sharing. File Sharing is the iPad/iTunes way to send files back and forth from the iPad to your computer and back again.
    This site will tell you about iDraw.
    http://www.indeeo.com/idraw/
    This is a link to iOS File Sharing which you will find useful as well.
    http://support.apple.com/kb/ht4094
    There are third party apps in the app store that will allow you to use virtually any printer even if you don't have one of the HP AirPrint compatible printers.
    You can even use an app like Pages to create your templates. You can insert art and photos into Pages and it supports file sharing as well. Pages is a Word Processing app and I would be inclined to not use it for your purposes but it will work for some basic designs however it's certainly not ideal for creating artwork.
    http://www.apple.com/ipad/from-the-app-store/pages.html

  • How do I port my Windows Word, Excel, and Powerpoint files to the MAC?  What software is needed on the MAC to use them?  Thanks.

    How do I port my Windows Word, Excel, and Powerpoint files to the MAC?  What software is needed on the MAC to use them?  Thanks.

    You can certainly use iWork, though I hesitate to recommend it to a seasoned Windows user simply because it would add another level of the unfamiliar with which you would have to gain familiarity. The iWork applications are certainly very competent and in most respects both easy to use and surprisingly powerful. They are not 100% compatible however, though that typically manifests itself in document formatting issues rather than anything more significant.
    I have never attempted to import emails from a Windows system into MacOS - other than in Outlook connected to an Exchange server, thus not really an issue at all. I doubt that the Mail app in MacOS can import directly, but of course you could always set the account(s) up on the Mac and then forward emails you want to keep from the PC. Not elegant, but it works. Virtually any Windows document or file, whichever application created it, can be opened or converted for use on a Mac, and using both systems on my desk each day I rarely see any issues switching stuff from one machine to the other. You may stumble over one or two issues, but likely not significant.
    In switching platforms there will be some inevitable issues, not so much with being able to import your stuff because there's usually a workaround or a utility that can help, but just with getting familiar with the platform and the differences between Windows and MacOS that can obscure their similarities. From time to time the support community here hears from a user who has found the migration very problematic and regrets it, but for the most part the phrase 'I should have done this years ago...' is rather more prevalent!

  • What software is needed to be able to open the olm file I have exported from Outlook to my documents when transfering my Microsoft Office Contacts to my Mac Addressbook?

    what software is needed to be able to open the olm file I have exported from Outlook to my documents when transfering my Microsoft Office Contacts to my Mac Addressbook?

    You might find a solution here: how to convert microsoft outlook contacts to apple address book - Google Search
    OT

  • I'm trying to create a Windows partition using Boot Camp. An error comes up telling me that I need to reformat my current partition(s) into one single partition. However, it's already formatted in the correct format, and is already a single partition.

    As made clear in the title:
    I'm trying to create a Windows partition using Boot Camp. An error comes up telling me that I need to reformat my current partition(s) into one single partition. However, it's already formatted in the correct format, and is already a single partition.
    My computer recently had a kernel panic, which apparently the corruption was in the system and needed to be erased and re-installed. I have a complete back-up using an external hard drive, and I am definitely not willing to do another one of those to reformat a partition that is already singular. I restarted the computer after ejecting my back-up, and after turning off time machine (thinking that boot camp was recognizing it as a secondary partition), however the error still occurs.
    Is there any way to get around this?

    diskutil list:
    /dev/disk0
       #:                       TYPE NAME                    SIZE       IDENTIFIER
       0:      GUID_partition_scheme                        *750.2 GB   disk0
       1:                        EFI                         209.7 MB   disk0s1
       2:                  Apple_HFS Macintosh HD            749.3 GB   disk0s2
       3:                 Apple_Boot Recovery HD             650.0 MB   disk0s3
    /dev/disk1
       #:                       TYPE NAME                    SIZE       IDENTIFIER
       0:                            Windows7               *2.9 GB     disk1
    diskutil cs list:
    No CoreStorage logical volume groups found
    mount:
    /dev/disk0s2 on / (hfs, local, journaled)
    devfs on /dev (devfs, local, nobrowse)
    map -hosts on /net (autofs, nosuid, automounted, nobrowse)
    map auto_home on /home (autofs, automounted, nobrowse)
    /dev/disk1 on /Volumes/Windows7 (udf, local, nodev, nosuid, read-only, noowners)
    From my very basic knowledge - it still looks as if there is only one partition (not including the windows 7 CD necessary to install the windows partition).

  • HT4759 I just updated my iPad to the new ios and now it won't let me use iCloud. I have been in my settings and it says I need to agree to the new t&c's but when I click to do it my device freezes. Any Idea what I can do as I can't download new app either

    I just updated my iPad to the new ios and now it won't let me use iCloud. I have been in my settings and it says I need to agree to the new t&c's but when I click to do it my device freezes. Any Idea what I can do as I can't download new app either

    Sorry. There's nothing anyone can do. The current version of the facebook app will not run on 4.2.1. The iPhone 3G won't run anything higher than 4.2.1. You're stuck.
    Maybe it's time to buy yourself a new iPod Touch.

  • I have a MacBook Air w/ 64 GB. I have hours and hours of music/vids/etc. Is it possible to have an external drive specifically set-up for my iTunes? If so, what do I need to do? Thanks!

    I have a MacBook Air w/ 64 GB. I have hours and hours of music/vids/etc. Is it possible to have an external drive specifically set-up for my iTunes? If so, what do I need to do? Thanks!

    Yes, many people do just that. Copy your iTunes folder to the external drive. Once done, open iTunes with Option held down and select the new location of the library file.

  • When I try to download the windows support software it is coming up with an error message saying I am not connected to the internet but having checked the network diagnostics several times I am definitely connected but it still won't work. Any ideas?

    When I try to download the windows support software it is coming up with an error message saying I am not connected to the internet but having checked the network diagnostics several times I am definitely connected but it still won't work. Any ideas?

    I get a problem like yours. I have a mac mini with 2 hdds the server and hd2 I installed windows 7 and the windows works fine. except it will not allow me to get on the net.  I get error 651.  I can boot back to lion and the internet connection works. I googled and error 651 does seem to show up.  I would like  a work around.

  • HT201232 My operating system is Mac OS X 10.6.8 and when I'm surfing the web, it tells me I need to update my browser however when I check for updates, nothing comes up. What do I need to do to get Mac OS X Lion v10.7?

    My operating system is Mac OS X 10.6.8 and when I'm surfing the web, it tells me I need to update my browser however when I check for updates, nothing comes up. What do I need to do to get Mac OS X Lion v10.7?

    Software update will only bring you up to the current level of the system you are using - you are at the maximum for Snow Leopard. To get Lion or higher you will have to go to the Mac App Store in Applications and purchase it there (Yosemite is free). You will need to check that your Mac meets the requirements and you should particularly note that PPC programs such as AppleWorks will not run in Lion or above.
    The requirements for Lion are:
    Mac computer with an Intel Core 2 Duo, Core i3, Core i5, Core i7, or Xeon processor
    2GB of memory
    OS X v10.6.6 or later (v10.6.8 recommended)
    7GB of available space
    Lion is available in the Online Apple Store ($19.99). Mountain Lion (10.8.x) is also available there at the same price (though it's reported to have been removed from sale in some countries so may well cease to be available generally) but there seems little point as the system requirements are the same for Yosemite (10.10.x) - which is free - unless you need to run specific software which will run on Mountain Lion only.
    The requirements for Mountain Lion and Yosemite are:
    OS X v10.6.8 or later
    2GB of memory
    8GB of available space
      and the supported models are:
    iMac (Mid 2007 or newer)
    MacBook (Late 2008 Aluminum, or Early 2009 or newer)
    MacBook Pro (Mid/Late 2007 or newer)
    Xserve (Early 2009)
    MacBook Air (Late 2008 or newer)
    Mac mini (Early 2009 or newer)
    Mac Pro (Early 2008 or newer)
    Yosemite is available from the Mac App Store (in Applications). Mountain Lion can be obtained the Online Apple Store. (Mavericks is no longer available.)
    If the problem is only with Safari and you are otherwise happy with Snow Leopard you could switch to FireFox (free) - the latest version of that will run in Snow Leopard.

Maybe you are looking for