Powerpoint.exe 2003 file lost after Office 365 installed

I have an X235 running W7 and have a problem with my Office 2003 applications after installing 365. The 365 process is currently hung at about 85% complete but the 365 Office suite is actually usable. The problem is that the old Office 2003 applications, the .exe files, seem to be gone. Interestingly, I installed 365 while Powerpoint 2003 was open and it is still functional. I am afraid though that once I close Powerpoint 2003, I will not be able to find it and open it up again. The shortcuts for example in C:\Users\me\AppData\Roaming\Microsoft\Internet Explorer\Quick Launch\User Pinned\TaskBar still open Powerpoint 2003 and Word 2003 but the properties of these shortcuts do not list the target of the shortcut; "Target location:" is BLANK! Help!

I would cancel the Office 365 install and reinstall Office 2003. Then uninstall the 2003 version and reinstall 365.
Hoov
Microsoft MVP - Consumer Security
SpywareHammer.com

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();

  • Checking out Pdf files to Local draft Folder option no longer works after office 2013 installed.

    Checking out Pdf files to Local draft Folder option no longer works after office 2013 installed.
    Summary :
    We are using SharePoint 2010 Ent edition and users were able to checkout Pdf files similar to local drafts folder like any other office file without any problem when they used office 2010.
    i.e
    Unfortunately ever since their machines upgraded with office 2013 recently , this functionality completely stopped working for PDF files. This has now become a big problem for the users when it comes to check out and replace PDF files.
    All browser plugins required for this functionality (i.e    SharePoint OpenDocuments Class ) are all available and active. All document libraries are configured to Checkout is required for editing files. Browser version
    used at the moment is IE9 (32 bit) version with windows 7. 
    Can anyone please help with this issue and any help to get away with this problem is much appreciated.

    Hi,
    Based on your description, my understanding is that the PDF files cannot be checked out to local drafts folder after Office 2013 is installed.
    Did this issue occur with Office files?
    I recommend to check if the Office files can be checked out to local drafts folder with Office 2013.
    And it is recommended to use Office 2010 with SharePoint 2010 for best practice.
    Thanks,
    Victoria
    Forum Support
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Subscriber Support, contact
    [email protected]
    Victoria Xia
    TechNet Community Support

  • Can you merge two user accounts on macbook? my wife has created a user on her new macbook , then inadvertently created a second one when using the migration tool. 1st ac has her office 365 install, yet 2nd has her itunes database, docs and contacts.

    Can you merge two user accounts on a macbook? my wife has created a new user on her new macbook air then, inadvertently, created a second one when using the migration tool. 1st a/c has her office 365 install, while 2nd has her itunes database, docs and contacts. What is the best way forward to get everything into the one account? Not sure if the office 365 will allow another installation into the second account, otherwise would just do that and delete the first, if that is possible?

    There is no merge but you can move data from one account to another via the Shared folder. Data is copied from Shared. Watch your free space when copying. These are large files.  Do one at a time if you are on a small drive. After making copy, delete from other users before you start next copy.
    Office365 installs in the main Applications folder and is available for all users on the computer. Activation is tied to the drive not the User.

  • Decommissioning Exchange 2003 after Office 365 Migration

    Hello,
    My company recently migrated from Exchange 2003 to Office 365 and are working on decommissioning our on-premises Exchange 2003 server.  We believe everything is ready to go, however this Microsoft article: http://help.outlook.com/en-us/140/ff959224.aspx#nextsteps has
    a big Caution box warning of "unintended consequences" and recommending I contact Microsoft Support:
    I've tried my Office 365 support options, but they only tell me that Exchange 2003 is no longer supported and they can't help me, despite the fact that I'm trying to remove it, not maintain it.  So
    I'm allowed to pay for a new service, but shouldn't expect assistance in safely moving from my old service...
    Regardless, they directed me here, so I was hoping someone might be able to advise about what these "unintended consequences" actually are so I can feel fully prepared to decommission.
    Thanks in Advance,
    Jim

    Hi,
    After you’ve verified that all e-mail is being routed directly to the cloud-based mailboxes, completed the migration, and no longer need to maintain your on-premises e-mail organization or don’t plan on implementing a single sign-on solution, you can uninstall
    Exchange from your servers and remove your on-premises Exchange organization. For more information, see the following:
    How to Uninstall Exchange Server 2003
    http://technet.microsoft.com/en-us/library/bb125110(EXCHG.65).aspx
    Best regards,
    Belinda
    Belinda Ma
    TechNet Community Support

  • Office 365 installed, can't choose Word 2007 as the default program for docx and doc files

    I have a client who just installed Office 365 on his Windows 7 PC. He still has Office 2007 installed. He's struggling with the changes in Word 2013 and wants me to uninstall Office 365. I thought I'd just set the default program association for .docx and
    .doc programs to Word 2007 but that doesn't seem possible. I can choose Default Programs, Associate a file type etc., and find the .docx extension. The current default is Word (desktop). I highlight the .docx extension and choose Change Program. The older
    version of Word isn't listed so I click Browse and find Program Files\Microsoft Office\Office12\winword.exe. Click OK, OK, OK, etc, but .docx files still open in Word 2013. The Default Program applet evidently sees all versions of Word as the same and refuses
    to change the association. How do I accomplish this ridiculously simple task?

    Fixed. Used a great little app from NirSoft called
    FileTypesMan. The built-in Windows utilities are getting worse by leaps and bounds.

  • Exchange 2003 On-Premise to Office 365 - Easiest Migration Path

    We would like to migrate our domain from an existing on-premise 2003 Small Business Server to Office 365.   We only have 2 users so I am looking for the easiest upgrade path.  
    We will be retiring the SBS 2003 Server and have purchased a Windows 2012 Server to use strictly as a files server post-migration.  
    I would like to split the migration into 2 phases:
    1 Migrate the Exchange Server functionality to Office 365 in Phase 1
    2. Migrate the file server function from SBS 2003 to Windows Server 2012 in Phase 2. Sicne I only have 2 users, I am going to kill the SBS 2003 domain, create a new local domain, and migrate
    the profiles and files.
    The questions I have:
    1. 
    Can I migrate the domain mail server functionality to Office 365 and just import the PSTs for the 2 accounts.  
    I have perused the migration documents but I think it would be easiest just to import the PSTs for 2 users rather than setting up the Outlook Anywhere on a 2003 Server.
    2. Will I be able to initially manage the Active Directory accounts in Office 365 and then move that functionality back onto the Windows 2012 Server when that comes on-line?
    3. If I am overlooking any issues other than those that I have mentioned, please provide feedback

    Hi,
    Just checking in to see if the information provided by the MVP was helpful. Please let us know if you would like further assistance.
    Best Regards,
    Steve Fan
    Forum Support
    Come back and mark the replies as answers if they help and unmark them if they provide no help.
    If you have any feedback on our support, please click
    here

  • Unexplained UI XML errors after rollback to Office 2010 after Office 365

    I installed Office 365 Trial after checking with Microsoft Tech Support to see if I needed to uninstall Office 2010 Professional first -was told it was unnecessary.
    The Office 365 completely messed up the screen display in Outlook (changed all to test to CAPS and could not be altered) and many add-ins failed to appear and/or function - e.g. MailInfo, Mailwasher Pro, Kaspersky Internet Security modules, etc.
    For that reason I uninstalled Office 365 (at the suggestion of Microsoft Tech Support).
    On resuming Outlook 2010 I got multiple error notifications relating to loading of Custom UI XML components.
    After trying unsuccessfully to determine what the errors were to correct, I contacted Microsoft Tech Support again and was advised to try a Repair of Office 2010.
    This I did but with no change - errors still kept popping up.  So, again, contacted Microsoft Tech Support and they wanted me to pay for the corrections (go figure - they caused it!) and when I refused on principle they said my only option was to uninstall
    Office 2010 and re-install it.
    This I did but it has made no difference - still getting the same errors!
    HOW DO I GET OUTLOOK 2010 to function correctly without errors again?
    Examples of the errors include"
    Error code 0x80004005 - Error loading Custom UI XML (Failed to find Office Control by ID; ID: mso:TabSendReceive
    Error code 0x80004005 - Error loading Custom UI XML (Failed to find Office Control by ID; ID: mso:TabMail
    Error code 0x80004005 - Error loading Custom UI XML (Unknown Office Control ID; mso:FileOpenUsingBackstage
    Uncoded error: "Either there is no default mail client or the current mail client cannot fulfill the messaging request.  Please run Microsoft Outlook and set it as the default mail client."  - THIS I DID (even though the tick was already
    in the box setting Outlook as default) but no change!
    Uncoded error: Custom UI Runtime Error in Microsoft Access Outlook Add-in for Data Collection and Publishing (I also have Business Contact Manager installed and that too was uninstalled and re-installed)
    I'd be grateful with an constuctive advice that will permanently fixed then re-installed with no change to errors); "An error occurred while calling the callback: "Ribbon_GetDCVisible"
    I'd be grateful for some help here!

    Hi,
    Looks like your Office got completely messed up. You might need to use
    Microsoft Fix It tool to completely remove any Office traces or residuals, then try again:
    How to uninstall Office 2013 or Office 365:
    http://support.microsoft.com/kb/2739501/en-us
    How to uninstall or remove Microsoft Office 2010 suites:
    http://support.microsoft.com/kb/2519420
    Please save the Microsoft Fix It tool to your local disk first, then run it.
    Also, if you have any add-ins intergrated with your Office 2010, I would suggest you to remove them and then reinstall all.
    Hope this helps.
    Thanks,
    Ethan Hua CHN
    TechNet Community Support

  • Cant open any attachment or downloaded file with any office 365 for small bussines

    I cant open any e-mail attachment or downloaded file of any kind with any application in office 365 for small bussines. Since I need it for bussiness need help NOW. Thank you.

    Hi,
    Did you get any error message when you tried opening or downloading the attachment?
    Are you viewing attachments in Outlook Web App or Outlook desktop client? If you were using OWA when this issue happened, please have a look at this KB article and see if it applies:
    https://support.microsoft.com/kb/2852113
    Since this forum focus more on Office desktop client side questions, if it's an OWA issue in Office 365, I'd recommended you post a question in the Office 365 Community forum:
    http://community.office365.com/en-us/f/default.aspx
    The reason why we recommend posting appropriately is you will get the most
    qualifiedpool
    of respondents, and other partners who read the forums regularly can either share their knowledge or learn from your interaction with us.
    If I've misunderstood something, please feel free to let me know.
    Regards,
    Steve Fan
    TechNet Community Support
    It's recommended to download and install
    Configuration Analyzer Tool (OffCAT), which is developed by Microsoft Support teams. Once the tool is installed, you can run it at any time to scan for hundreds of known issues in Office
    programs.

  • Upgrading from outlook 2003 and 2007 to office 365 small business outlook

    We just bought office 365 small business thinking I can easily set up outlook as we did in outlook 2007.
    That is creating an account using POP3 and SMTP for every individual.
    I just started watching a video of how to set up the out look in office 365 and it does not make any sense to add all 30 mail boxes set up in Network solutions and work around our domain names and all sort of unnecessary complicated step to use this on line
    office.
    Can we just set it up the way we did in outlook 2007 without having to deal with all parties involved?
    Regards;

    Hi,
    I suppose you used Office Customization Tool (OCT) to create the POP3 accounts for the users? With OCT it's quite easy with .prf as I can tell. However, in Office 365 we don't have OCT so that's probably why you don't know how to create the
    accounts for users.
    Due to the lack of related resource here, I actually suggest you post the question in Office 365 Community, where this question can be properly addressed:
    https://community.office365.com/en-us/f/default.aspx
    Regards,
    Melon Chen
    TechNet Community Support

  • Previous System Files Lost After Re Install?

    I recently had to blow out my system and re install my OS. I am pretty sure I checked the box to save the old system files in a directory and install the new one.
    My question is, I did not have a most recent Time Machine backup of files from my desktop and had a new directory of pics there. Did I lose anything residing on the desktop directory when I re installed, or did it save in that "Previous System" directory, which as another question, I have no idea where to find that old system directory.
    Thank you for your assistance!

    Thanks, Kappy. Didn't understand you were pointing me to the PSF folder in your previous message.
    Apparently, I must not have re installed the way I thought and the Mac HD OS Drive is clean with only the new OS, Applications files, etc. So, no PSF folder.
    But, at least I know now!
    Thank you for your help and good luck!

  • Virtualizing an Office add-in with Office 365 installed - possible?

    I've just attempted to virtualise an Excel add-in by sequencing the add-in and providing a special shortcut to launch Excel in the bubble with the add-ins enabled.
    This normally works fine when Office is locally installed, but in this case my client has deployed the Office 365 click-to-run package, and when Excel is launched it cannot see any of my virtualised files.
    When I run listdlls.exe on Excel.exe, I see:
    C:\Program Files\Microsoft Application Virtualization\Client\Subsystems\AppVEntSubsystems32.dll
    C:\Program Files\Microsoft Office 15\root\office15\AppVIsvSubsystems32.dll
    Since Office 365 is based on App-V technology, I assume these two dlls are conflicting, and my solution going forward is to either get them to put Office down locally or convert it to a full App-V package.
    Before I do this though, does anybody know of any tricks to get it to work with the basic Office 365 package?
    Dan Gough - packageology.com
    Twitter (@packageologist) LinkedIn

    Our story is if you want to combine virtual Office 2013 with virtualized plug-ins, flatten the package into the full App-V format and use Connection Groups.
    Steve Thomas, Senior Consultant, Microsoft
    App-V/MED-V/SCVMM/Server App-V/MDOP/AppCompat
    http://blogs.technet.com/gladiatormsft/
    The App-V Team blog: http://blogs.technet.com/appv/
    The MED-V Team Blog: http://blogs.technet.com/medv
    The SCVMM Team blog: http://blogs.technet.com/scvmm/
    “This posting is provided "AS IS" with no warranties, and confers no rights. User assumes all risks.”

  • Outlook 2013 (Office 365 Install) unable to set Default Mail Client

    After installing Office 2013 via Office 365 for Business, the installation is unable to set Outlook as the default mail client.  Message appears after each system reboot:
    "Either there is no default mail client or the current mail client cannot fulfill the messaging request.  Please run Microsoft Outlook and set it as the default mail client."
    When going into Control Panel and manually set the Outlook client as the default, the setting does not take.  After a reboot, the warning message reappears.
    Anyone else having the same issue?

    MJ
    No but then again it is a Beta. Did you clean install or update?  9926 seems to be relatively stable.
    Wanikiya and Dyami--Team Zigzag

  • Acrobat XI Pro "Out of Memory" error after Office 2010 install

    Good Afternoon,
    We recently pushed Office 2010 to our users and are now getting reports of previous installs of Adobe Acrobat XI Pro no longer working but throwing "Out of Memory" errors.
    We are in a Windows XP environment. All machines are HP 8440p/6930p/6910 with the same Service pack level (3) and all up to date on security patches.
    All machines are running Office 2010 SP1.
    All machines have 2GB or 4GB of RAM (Only 3.25GB recognized as we are a 32bit OS environment).
    All machines have adequate free space (ranging from 50gb to 200gb of free space).
    All machines are set to 4096mb initial page file size with 8192mb maximum page file size.
    All machines with Acrobat XI Pro *DO NOT* have Reader XI installed alongside. If Reader is installed, it is Reader 10.1 or higher.
    The following troubleshooting steps have been taken:
    Verify page file size (4096mb - 8192mb).
    Deleted local user and Windows temp files (%temp% and c:\WINDOWS\Temp both emptied).
    Repair on Adobe Acrobat XI Pro install. No change.
    Uninstall Acrobat Pro XI, reboot, re-install. No change.
    Uninstall Acrobat Pro XI Pro along with *ALL* other Adobe applications presently installed (Flash Player, Air), delete all Adobe folders and files found in a full search of the C drive, delete all orphaned Registry entries for all Adobe products, re-empty all temp folders, reboot.
    Re-install Adobe Acrobat XI Pro. No change.
    Disable enhanced security in Acrobat XI Pro. No change.
    Renamed Acrobat XI's plug_ins folder to plug_ins.old.
    You *can* get Acrobat to open once this is done but when you attempt to edit a file or enter data into a form, you get the message, "The "Updater" plug-in has been removed. Please re-install Acrobat to continue viewing the current file."
    A repair on the Office 2010 install and re-installing Office 2010 also had no effect.
    At this point, short of re-imaging the machines (which is *not* an option), we are stumped.
    We have not yet tried rolling back a user to Office 2007 as the upgrade initiative is enterprise-wide and rolling back would not be considered a solution.
    Anyone have any ideas beyond what has been tried so far?

    As mentioned, the TEMP folder is typically the problem. MS limits the size of this folder and you have 2 choices: 1. empty it or 2. increase the size limit. I am not positive this is the issue, but it does crop up at times. It does not matter how big your harddrive is, it is a matter of the amount of space that MS has allocated for virtual memory. I am surprised that there is an issue with 64GB of RAM, but MS is real good at letting you know you can't have it all for use because you might want to open up something else. That is why a lot of big packages turn off some of the limits of Windows or use Linux.

  • User Agent Strings for Office 365 Install and Updates

    In my organization, we restrict internet access to a specific list of approved applications by user agent string; however, it seems the user agent string for Office 365 (2013) applications has changed over time causing installs and updates of Office 365
    on client PCs to fail.
    Is there a repository of user agent strings used by Office 365 applications?
    Thanks in advance.

    Hi,
    Please refer to this link:
    http://technet.microsoft.com/en-us/library/jj219420.aspx
    As mentioned under Ports, protocols and URLs used by Click-to-Run, 
    Download, installation from the portal
    Automatic updates
    TCP
    80
    http://officecdn.microsoft.com
    I hope this helps.
    Regards,
    Melon Chen
    TechNet Community Support

Maybe you are looking for

  • SQL cast statement to return 3 decimal places in AR invoice fields

    My statement is: SELECT CAST ($[$38.58.NUMBER] AS NUMERIC(19,6)) * CAST ($[$38.U_PriceKG.NUMBER] AS NUMERIC(19,6))       /  CAST ($[$38.11.0] AS NUMERIC(19,6)),3) This statement returns 3 decimals which is correct.  The issue is the 3 rd decimal is a

  • Help In XML schema using  oracle 10g

    i want to give seminar in XML schema using oracle 10g. n i m very new in this topic. so help me out which topic i include & any document regarding this

  • How to send e-mails with attachments using microsoft exchange servers?

    I was wondering if there was a way to send e-mails with attached data files.  The e-mail server utilizes a Microsoft Exchange Server.  I would appreciate any help that is provided.

  • Compiling with debug info

    Hi! I get a question about PL/SQl, How can I compile a Block PL/SQL with debug information, in SQL*Plus? Thanks in Advance - Pablo

  • Jndi Provider Url not working

    Hi, I got the following exception message when i run the given JNDI example on Sun Java Application Server8.1. Please help me in resolving this issue; Exception: javax.naming.CommunicationException: localhost:389 [Root exception is java.net.ConnectEx