How to download older base versions of iMovie?

I have a desktop mac version 10.7.4 with Mountain Lion. It didn't come with iMovie installed, which I found out is a new thing. The newest version of iMovie (11) costs $15, but my computer won't support it without Mavericks.
I no longer care if I have to spend money to buy iMovie. I was able to find, with my developer account, a way to download update 9.09. My mac supports iMovie 9 and anything before it. However, the update is not the base version. I need to find the actual iMovie 9 BASE VERSION.
Let me know how I can get any form of iMovie on my computer.

Where did you buy your Mac? All new Macs come with iMovie assuming you're buying from Apple or an authorized retailer.
If you bought from a third party can you contact them and try to get the original DVDs that came with the Mac? They will contain iMovie.
If that doesn't work you can still buy iLife '11 on sites like Amazon.
Matt

Similar Messages

  • How to download a file version from office 365 using csom

    I need to download an older file version from office 365 and get the data into a byte array. I have no trouble downloading the latest version with File.OpenBinaryStream() and I have no trouble loading the previous file versions with File.Versions. But now
    I need to actually download an older version of the file and it seems the only way is to use File.OpenBinaryDirect. So I am creating a client context using my oAuth access token and providing the correct path, but I am getting a (401) Unauthorized
    error. Looking with Fiddler I can see that the call to OpenBinaryDirect is somehow trying to post to my file URL and the server is responding with 401.
    context = TokenHelper.GetClientContextWithAccessToken(SPHostUrl, AccessToken);
    FileInformation info = File.OpenBinaryDirect(context, "/" + _fileVersion.Url);  //throws 401
    //leading slash required otherwise ArgumentOutOfRangeException
    I have to be able to access the older file versions with my c# code -- I don't have a viable app without that ability -- any help urgently needed and greatly appreciated!

    Thank you SO much (Can't wait for the next release)!
    For anyone else who lands here, here's the code I ended up using:
    // VersionAccessUser and VersionAccessPassword are stored in web.config
    // web.Url is loaded via the clientContext
    // myVersion is the FileVersion I got from the file's Versions.GetById() method
    // probably a lot of ways to get hostUrl, it just needs to be https://yourdomain.sharepoint.com/
    // - I'm running my app from a subweb
    // I had trouble following the links to get the full MsOnlineClaimsHelper code
    // (the one on msdn.com was missing RequestBodyWriter, WSTrustFeb2005ContractClient,
    // and IWSTrustFeb2005Contract
    // so I've included the code I used here.
    string myVersionFullUrl = string.Format("{0}/{1}", web.Url, myVersion.Url);
    string userName = WebConfigurationManager.AppSettings.Get("VersionAccessUser");
    string strPassword = WebConfigurationManager.AppSettings.Get("VersionAccessPassword");
    string hostUrl = Regex.Replace(web.Url, "([^/]+//[^/]+/).*", "$1");
    MsOnlineClaimsHelper claimsHelper = new MsOnlineClaimsHelper(hostUrl, userName, strPassword);
    var client = new WebClient();
    client.Headers["Accept"] = "/";
    client.Headers.Add(HttpRequestHeader.UserAgent, "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.2; .NET CLR 1.0.3705;)");
    client.Headers.Add(HttpRequestHeader.Cookie, claimsHelper.CookieContainer.GetCookieHeader(new Uri(hostUrl)));
    var document = client.DownloadString(myVersionFullUrl);
    // These classes are needed to download old versions of files (see: http://social.msdn.microsoft.com/Forums/en-US/7746d857-d351-49cc-b2f0-496663239e02/how-to-download-a-file-version-from-office-365-using-csom?forum=sharepointdevelopment)
    // I cobbled this file from http://social.technet.microsoft.com/Forums/msonline/en-US/4e304493-7ddd-4721-8f46-cb7875078f8b/problem-logging-in-to-office-365-sharepoint-online-from-webole-hosted-in-the-cloud?forum=onlineservicessharepoint
    // and http://fredericloud.com/2011/01/11/connecting-to-sharepoint-with-claims-authentication/
    using Microsoft.IdentityModel.Protocols.WSTrust;
    using Microsoft.SharePoint.Client;
    using System;
    using System.Collections.Generic;
    using System.IO;
    using System.Linq;
    using System.Net;
    using System.Net.Security;
    using System.ServiceModel;
    using System.ServiceModel.Channels;
    using System.Text;
    using System.Web;
    using System.Xml;
    using System.Xml.Linq;
    namespace DPSiDoxAppWeb.Helpers
    /// <summary>
    /// Create a new contract to use for issue claims for the SharePoint requests
    /// </summary>
    [ServiceContract]
    public interface IWSTrustFeb2005Contract
    [OperationContract(ProtectionLevel = ProtectionLevel.EncryptAndSign,
    Action = "http://schemas.xmlsoap.org/ws/2005/02/trust/RST/Issue",
    ReplyAction = "http://schemas.xmlsoap.org/ws/2005/02/trust/RSTR/Issue",
    AsyncPattern = true)]
    IAsyncResult BeginIssue(Message request, AsyncCallback callback, object state);
    Message EndIssue(IAsyncResult asyncResult);
    /// <summary>
    /// Implement the client contract for the new type
    /// </summary>
    public class WSTrustFeb2005ContractClient : ClientBase<IWSTrustFeb2005Contract>, IWSTrustFeb2005Contract
    public WSTrustFeb2005ContractClient(Binding binding, EndpointAddress remoteAddress)
    : base(binding, remoteAddress)
    public IAsyncResult BeginIssue(Message request, AsyncCallback callback, object state)
    return Channel.BeginIssue(request, callback, state);
    public Message EndIssue(IAsyncResult asyncResult)
    return Channel.EndIssue(asyncResult);
    /// <summary>
    /// Create a class that will serialize the token into the request
    /// </summary>
    class RequestBodyWriter : BodyWriter
    readonly WSTrustRequestSerializer _serializer;
    readonly RequestSecurityToken _rst;
    /// <summary>
    /// Constructs the Body Writer.
    /// </summary>
    /// <param name="serializer">Serializer to use for serializing the rst.</param>
    /// <param name="rst">The RequestSecurityToken object to be serialized to the outgoing Message.</param>
    public RequestBodyWriter(WSTrustRequestSerializer serializer, RequestSecurityToken rst)
    : base(false)
    if (serializer == null)
    throw new ArgumentNullException("serializer");
    _serializer = serializer;
    _rst = rst;
    /// <summary>
    /// Override of the base class method. Serializes the rst to the outgoing stream.
    /// </summary>
    /// <param name="writer">Writer to which the rst should be written.</param>
    protected override void OnWriteBodyContents(XmlDictionaryWriter writer)
    _serializer.WriteXml(_rst, writer, new WSTrustSerializationContext());
    public class MsOnlineClaimsHelper
    #region Properties
    readonly string _username;
    readonly string _password;
    readonly bool _useRtfa;
    readonly Uri _host;
    CookieContainer _cachedCookieContainer = null;
    DateTime _expires = DateTime.MinValue;
    #endregion
    #region Constructors
    public MsOnlineClaimsHelper(string host, string username, string password)
    : this(new Uri(host), username, password)
    public MsOnlineClaimsHelper(Uri host, string username, string password)
    _host = host;
    _username = username;
    _password = password;
    _useRtfa = true;
    public MsOnlineClaimsHelper(Uri host, string username, string password, bool useRtfa)
    _host = host;
    _username = username;
    _password = password;
    _useRtfa = useRtfa;
    #endregion
    #region Constants
    public const string office365STS = "https://login.microsoftonline.com/extSTS.srf";
    public const string office365Login = "https://login.microsoftonline.com/login.srf";
    public const string office365Metadata = "https://nexus.microsoftonline-p.com/federationmetadata/2007-06/federationmetadata.xml";
    public const string wsse = "http://docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-secext-1.0.xsd";
    public const string wsu = "http://docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-utility-1.0.xsd";
    private const string userAgent = "Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; WOW64; Trident/5.0)";
    #endregion
    class MsoCookies
    public string FedAuth { get; set; }
    public string rtFa { get; set; }
    public DateTime Expires { get; set; }
    public Uri Host { get; set; }
    // Method used to add cookies to CSOM
    public void clientContext_ExecutingWebRequest(object sender, WebRequestEventArgs e)
    e.WebRequestExecutor.WebRequest.CookieContainer = getCookieContainer();
    //e.WebRequestExecutor.WebRequest.UserAgent = userAgent;
    // Creates or loads cached cookie container
    CookieContainer getCookieContainer()
    if (_cachedCookieContainer == null || DateTime.Now > _expires)
    // Get the SAML tokens from SPO STS (via MSO STS) using fed auth passive approach
    MsoCookies cookies = getSamlToken();
    if (cookies != null && !string.IsNullOrEmpty(cookies.FedAuth))
    // Create cookie collection with the SAML token
    _expires = cookies.Expires;
    CookieContainer cc = new CookieContainer();
    // Set the FedAuth cookie
    Cookie samlAuth = new Cookie("FedAuth", cookies.FedAuth)
    Expires = cookies.Expires,
    Path = "/",
    Secure = cookies.Host.Scheme == "https",
    HttpOnly = true,
    Domain = cookies.Host.Host
    cc.Add(samlAuth);
    if (_useRtfa)
    // Set the rtFA (sign-out) cookie, added march 2011
    Cookie rtFa = new Cookie("rtFA", cookies.rtFa)
    Expires = cookies.Expires,
    Path = "/",
    Secure = cookies.Host.Scheme == "https",
    HttpOnly = true,
    Domain = cookies.Host.Host
    cc.Add(rtFa);
    _cachedCookieContainer = cc;
    return cc;
    return null;
    return _cachedCookieContainer;
    public CookieContainer CookieContainer
    get
    if (_cachedCookieContainer == null || DateTime.Now > _expires)
    return getCookieContainer();
    return _cachedCookieContainer;
    private MsoCookies getSamlToken()
    MsoCookies ret = new MsoCookies();
    try
    var sharepointSite = new
    Wctx = office365Login,
    Wreply = _host.GetLeftPart(UriPartial.Authority) + "/_forms/default.aspx?wa=wsignin1.0"
    //get token from STS
    string stsResponse = getResponse(office365STS, sharepointSite.Wreply);
    // parse the token response
    XDocument doc = XDocument.Parse(stsResponse);
    // get the security token
    var crypt = from result in doc.Descendants()
    where result.Name == XName.Get("BinarySecurityToken", wsse)
    select result;
    // get the token expiration
    var expires = from result in doc.Descendants()
    where result.Name == XName.Get("Expires", wsu)
    select result;
    ret.Expires = Convert.ToDateTime(expires.First().Value);
    HttpWebRequest request = createRequest(sharepointSite.Wreply);
    byte[] data = Encoding.UTF8.GetBytes(crypt.FirstOrDefault().Value);
    using (Stream stream = request.GetRequestStream())
    stream.Write(data, 0, data.Length);
    stream.Close();
    using (HttpWebResponse webResponse = request.GetResponse() as HttpWebResponse)
    // Handle redirect, added may 2011 for P-subscriptions
    if (webResponse.StatusCode == HttpStatusCode.MovedPermanently)
    HttpWebRequest request2 = createRequest(webResponse.Headers["Location"]);
    using (Stream stream2 = request2.GetRequestStream())
    stream2.Write(data, 0, data.Length);
    stream2.Close();
    using (HttpWebResponse webResponse2 = request2.GetResponse() as HttpWebResponse)
    ret.FedAuth = webResponse2.Cookies["FedAuth"].Value;
    ret.rtFa = webResponse2.Cookies["rtFa"].Value;
    ret.Host = request2.RequestUri;
    else
    ret.FedAuth = webResponse.Cookies["FedAuth"].Value;
    ret.rtFa = webResponse.Cookies["rtFa"].Value;
    ret.Host = request.RequestUri;
    catch (Exception ex)
    return null;
    return ret;
    static HttpWebRequest createRequest(string url)
    HttpWebRequest request = HttpWebRequest.Create(url) as HttpWebRequest;
    request.Method = "POST";
    request.ContentType = "application/x-www-form-urlencoded";
    request.CookieContainer = new CookieContainer();
    request.AllowAutoRedirect = false; // Do NOT automatically redirect
    request.UserAgent = userAgent;
    return request;
    private string getResponse(string stsUrl, string realm)
    RequestSecurityToken rst = new RequestSecurityToken
    RequestType = WSTrustFeb2005Constants.RequestTypes.Issue,
    AppliesTo = new EndpointAddress(realm),
    KeyType = WSTrustFeb2005Constants.KeyTypes.Bearer,
    TokenType = Microsoft.IdentityModel.Tokens.SecurityTokenTypes.Saml11TokenProfile11
    WSTrustFeb2005RequestSerializer trustSerializer = new WSTrustFeb2005RequestSerializer();
    WSHttpBinding binding = new WSHttpBinding();
    binding.Security.Mode = SecurityMode.TransportWithMessageCredential;
    binding.Security.Message.ClientCredentialType = MessageCredentialType.UserName;
    binding.Security.Message.EstablishSecurityContext = false;
    binding.Security.Message.NegotiateServiceCredential = false;
    binding.Security.Transport.ClientCredentialType = HttpClientCredentialType.None;
    EndpointAddress address = new EndpointAddress(stsUrl);
    using (WSTrustFeb2005ContractClient trustClient = new WSTrustFeb2005ContractClient(binding, address))
    trustClient.ClientCredentials.UserName.UserName = _username;
    trustClient.ClientCredentials.UserName.Password = _password;
    Message response = trustClient.EndIssue(
    trustClient.BeginIssue(
    Message.CreateMessage(
    MessageVersion.Default,
    WSTrustFeb2005Constants.Actions.Issue,
    new RequestBodyWriter(trustSerializer, rst)
    null,
    null));
    trustClient.Close();
    using (XmlDictionaryReader reader = response.GetReaderAtBodyContents())
    return reader.ReadOuterXml();

  • HOW to download The Demo Version of Oracle JD Edwards Enterprise One 9.0,

    Dear Friends,
    Can any one tell me how to download The Demo Version of Oracle JD Edwards Enterprise One 9.0, for Practice purpose,
    if you have any links please tell me,
    and how much capacity of hard disk need to store the same.
    I am Learning the Oracle JD Edwards ERP, so that i want to Practice it in my home.
    Is it possible to work demo version with out Internet facilities?
    regards.
    AR

    user11690597 wrote:
    Thanks for the link, but not able to find JDE demo version for download.It's not quite as simple as 'click the download' button. You gotta get the infrastructure in place.
    As recommended, go to http://edelivery.oracle.com , click on Continue, fill the legal page, select JD Edwards for your OS, and start downloading. I would probably start and stop with the Installation document, since that likely has information such 'how much of the 60GB download is really required'.
    In the Oracle world, learning and practicing starts with reading.

  • How to download garageband old version? i mean version 1.0 to install it on iphone 4s with ios 6.0.1??? please help urgently, how to download garageband old version? i mean version 1.0 to install it on iphone 4s with ios 6.0.1??? please help urgently

    how to download garageband old version? i mean version 1.0 to install it on iphone 4s with ios 6.0.1??? please help urgently, how to download garageband old version? i mean version 1.0 to install it on iphone 4s with ios 6.0.1??? please help urgently

    I did this a few weeks ago to be sure it was going to work for a young person I was giving my ipod to.  Then I reset the information for her and now it will not load.  Very sad.  She is so talented and she really needs this.   Anyone know?

  • How to download older versions of Photoshop

    Hello,
    I purchased the Photoshop CS about 5 years ago. My machine became dead and I no longer have the CD with me but I saved the serial number. Could I download this old version again?

    I would not expect Adobe to have downloads of older versions of PS available, though could be wrong on this. If you have your S/N and you registered your copy of PS, Adobe will have a record of that - look in your Adobe ID User Account. I do not know how far back Adobe offers replacement discs for their programs, but they might be able to sell you a replacement disc for your version. To do so, they will need your Adobe User ID and your S/N, so have those handy, when contacting them.
    Good luck,
    Hunt
    PS always guard all installation discs, and never throw any away. I still have mine from ver. 2.5, plus every other Adobe program that I own. This goes back for decades, and is probably over 100 CD/DVD's.

  • How To Download Older Version From App Store

    I bought Pages from the App Store to run on my MacBook in 2012 which is limited to Snow Leopard. After reformatiing and updating the MacBook, I went to the App Store to re-download Pages and was greeted with the message that the current version will not run on my MacBook, and requires Mavricks!
    So I thought if I bought and paid for an App through the App Store, that Apple was supposed to make the last version that supports my Mac available always. So how do I fix this? Is there some secret way to download the correct version of Pages from the App Store?

    Go to the Mac App Store main page, click on Support under Quick Links, contact Apple, and see what they say.
    (108122)

  • How can I download the newest version of iMovie?

    How can I donload just the newest version of iMovie?

    Hi
    There are no down-loads of any iMovie version at all. Only up-dates within the version no:
    e.g.
    • iMovie'08 v 7.0.1 to 7.1.4
    • iMovie'09 v 8.0.1 to 8.0.6
    • iMovie'11 v 9.0.1 to 9.0.4
    But You need one to up-date from and one can not up-date over version no:
    Up-dates is easiest done by Apple menu / Program up-date
    item/line 2 on menu
    Yours Bengt W

  • I downloaded the newest version of iMovies, and now my camcorder won't import video. What can I do to correct this? Is there any way to go back to an older version of iMovies?

    My camcorder is incompatible with the newest version of iMovies. What can I do to make it compatible again?

    You should still have the old version in your App Folder.
    I have iMovie HD 6, iMovie 9, plus iMovie 10 and all run just fine in Mavericks. 

  • ?Download older bios versions

    Hello!
    I have noticed that everytime I upgrade the vga bios to a newer version, the performance of the display card is slighty decreased. In 3dMark 2000 it has obtained 8900 points when I bought it. After the first upgrade - 8500 and now, at the third, 8100.
    I want to know wether it is possible to download older versions of the vga bios and "roll back" the latest upgrades.
    10x.

    you may be able to find an older version of your bios at various sites along with bios flash utilities like NVFlash or WWFlash. but this is dangerous and if you dont kow how to do it , it could kill your card    .......a site i would start with is http://www.mkvtech.net ,they have lots of bios' for download. again the warning : DO NOT DO THIS UNLESS YOU KNOW WOT YOU ARE DOING!!!!!!!

  • How to download 64 bit version of firefox? i am new.

    OS : Windows 7 home premium 64 bit
    The firefox 4 which i am using is 32 bit.
    how to download the 64 bit version of firefox?
    please help me with the link.
    i am unable to find it in firefox website.

    It hasn't been released yet as a full version. There's a BETA release, but it's only for testing purposes. See http://nightly.mozilla.org/

  • How to download older updates in Software Update Service?

    Hello,
    In our company, we have a mixture of Mac OS X 10.6.2, 10.6.3 and 10.6.4 servers. Due to proxy-restrictions, only one of these servers is able to download updates directly from Apple (this one has 10.6.4 installed). We have set up the Software Update Service on this server to distribute the updates to all other servers and at first sight, it seemed to work fine.
    However, we noticed that our Software Update Server is only downloading the most recent versions of all software updates. e.g. Security Update 2010-05 and Security Update 2009-05 are available, but not Security Updates 2009-01 up to 2009-04. They don't even show up in the list of available updates. Since Security Update 2009-05 requires at least 10.6.4 (but Security Update 2010-04 can still be installed on 10.6.2) we're unable to install any recent security update on our 10.6.2-servers.
    Is there a way to configure Software Update Service to download older Security Updates? Running a centralized update server offers little benefit to us if it doesn't allow to install security updates on older Mac OS X releases... Updating all servers to 10.6.4 is not an option, as the software running on the servers is not always supported on the very latest Mac OS X releases.
    Thanks,
    Filip

    fvvjqe3 wrote:
    Thanks for the suggestion. I just tried the following:
    - stop Software Update Service
    - remove /var/db/swupd/html and /etc/swupd to restore default settings
    - start SUS again
    - now both "Copy all updates from Apple" and "Delete outdated software updates" were unticked. That should be fine I suppose, as I don't want to download all the updates (e.g. we don't want printer drivers, Final Cut and so no), but only the ones we select. However, we still don't see e.g. Security Update 2010-04 in the list of available updates. Am I missing something here?
    2010-05 includes all the previous security updates, I cannot find any reference to a 2010-004 update for Snow Leopard, only for Leopard (10.5). There was a 2010-003 for Snow Leopard, Mac OS X 10.6.4 Update would also have included previous security updates. It looks like there was never a 2010-004 for Snow Leopard.

  • Switching from Mac to PC - how to download the PC version

    I purchased Illustrator CS5 in 2011 for my mac.  I've now purchased a PC and would like to download to my new machine, but I only have access to download the mac version.  How can I download to my new PC?

    Unfortunately it's not possible. What you want to do is easy with the Cloud but not with Creative Suites.
    Creative Suite serial numbers are specific to your operating system: PC only or Mac only.
    There is a platform swap procedure available but it only applies to the current version: CS6. Not CS6.
    Order product | Platform, language swap
    Options:
    Upgrade to CS6 for Windows
    Join the Cloud

  • How to make the bookmarks bar JUST text and without the "Bookmarks" drop down and make the other bar have text with pictures? How to download a previous version of firefox?

    The option is to set text, text and pictures, or pictures but it affects both bars and how to get the old version back because I just wanted a stupid addon that I didn't even need and now is firefox just stuck this way. I know it's better to have the new version for security or whatever but the new features are bad for me personally I can't use this program how can I get the old version again please help. Or at least help me fix my bookmarks bar it was carefully made so I can do my work but now it has been destroyed and it can't get rid of the icons without getting rid of Home Refresh Stop icons and also the Bookmarks dropdown menu button can't be removed from the bookmarks bar?

    So if the bookmarks toolbar is fixed up you don't need to go back to Firefox 4. That's easy.
    This styling will change the bookmark folders to blue (most common) and the few bookmarks to red. Most would have short names 1-4 characters. Install the "'''Stylish'''" extension and then the [http://kb.mozillazine.org/User:Dmcritchie style(s)] suggested below.
    * '''Stylish''' :: Add-ons for Firefox<br>https://addons.mozilla.org/en-US/firefox/addon/stylish/
    * '''Bookmarks Toolbar Fx4 Blue/Folders, Red/Bookmarks''' - Themes and Skins for Browser<br>http://userstyles.org/styles/46947
    '''Additional styling suggestions'''
    * '''Scrollbar Menu''' - Themes and Skins for Browser - userstyles.org<br>http://userstyles.org/styles/52
    * '''Scrollbar Context Menu''' - Themes and Skins for Browser<br>http://userstyles.org/styles/54
    The drop-down at the end wouldn't be there as long as everything fits on the row.
    :Once you start using styles you will really like them because you can control/modify/use them independently as building blocks as opposed to someone elses full theme design or extension.
    I fail to see how the above is ''sketchy''
    # Install the "'''Stylish'''" extension
    # Install the suggested Style
    The advantage of a style is that they are very small compared to extensions, and if you don't like they way it looks, you can modify it. Try to do that with an extension.
    The suggested style shows folders in blue, and bookmarklets or bookmarks in red used as buttons.
    The deiconizer extension looks rather hard to read, seems rather large for what it does, and it has space wasting drop downs which are meaningless, simply left click to show the folder.
    ''it can't get rid of the (bookmark/folder) icons without getting rid of Home Refresh Stop icons and also the Bookmarks dropdown menu button can't be removed from the bookmarks bar?''
    The Home button would show as text ("Home") with the style change, as for Refresh ("F5") and Stop("Esc") the keyboard shortcuts work better for me anyway and have never included them on my toolbars. I keep the Home button to the left of the Location bar anyway so it shows an icon.
    '''For those that really need an earlier version of Firefox''', find your system and the Firefox version you want in releases, download and start the install.
    * ftp://ftp.mozilla.org/pub/firefox/releases/
    When reinstalling Firefox from a download, Firefox must be down once the installation starts. When the installation finishes, don't let the install start firefox for you. Instead end the install and start Firefox in your normal manner, thus preventing creating a new profile which does not have your bookmarks cookies, etc (but your old profile would still be around and would).

  • How to get older firefox version (7 or 8)

    Hello,
    to do some testing I need to install older Firefox version (7 or 8)
    Where I can get these old version ?
    Regards

    See:
    * http://releases.mozilla.org/pub/mozilla.org/firefox/releases/8.0.1/
    choose your operting system and language and download it
    example win32 for windows and en-us for English

  • Where from to download older OSX version (10.9)?

    Hi.
    I just bought a new Mac. Thrilling...
    It comes with Yosemite,
    however my studio driver (UAD) support still older version only (10.9),
    so I need to downgrade my OSX version.
    What is the recommended download link for older OSX version (latest 10.9).
    I can't find a legit link through Apple site.
    Regards,
    Booli.

    Ok, according to this link, the 2013 Mac Pro OS X version is 10.9
    Mac Pro (Late 2013)
    Dec 2013
    10.9
    10.9.2, 10.9.4
    13A4023, 13C64, 13E28
    So where can I achieve one of these specific builds..?

Maybe you are looking for