Partager via


From MSI to WiX, Part 8 - Major Upgrade

  • The main page for the series is here.

 

Introduction

A typical Major Upgrade removes a previous version of an application and installs a new version.  This blog will guide you through the process of creating Major Upgrade.

Source code for RTM version

Let's create a C# solution with two projects in it: library and console application.  Here is the code for the library:

using System;

using System.Collections.Generic;

using System.Text;

namespace TestLib

{

    public class TestClass

    {

        private string greeting;

        public TestClass()

        {

            greeting = "Hello, World!";

        }

        public TestClass(string greeting)

        {

            this.greeting = greeting;

        }

        public void WriteLine()

        {

            Console.WriteLine(greeting);

        }

    }

}

Here is the code for the console application:

using System;

using System.Collections.Generic;

using System.Text;

using TestLib;

[assembly: AssemblyVersion("1.0.0.0")]

[assembly: AssemblyFileVersion("1.0.0.0")]

namespace

TestApp

{

    class Program

    {

        static void Main(string[] args)

        {

            TestClass test = new TestClass();

            test.WriteLine();

        }

    }

}

As you can see, console application is using default constructor, so calling WriteLine method of the TestClass class will print out "Hello, World!" message.

Source code for V2 version

For version 2 of our product we will change the console application to use a non-default constructor to pass the greeting string the the TestClass instance:

using System;

using System.Collections.Generic;

using System.Text;

using TestLib;

[assembly: AssemblyVersion("1.0.1.0")]

[assembly: AssemblyFileVersion("1.0.1.0")]

namespace

TestApp

{

    class Program

    {

        static void Main(string[] args)

        {

            TestClass test = new TestClass("QFE version");

            test.WriteLine();

        }

    }

}

Our updated version of application will print out "QFE version" message instead of default "Hello, World!".  Notice also that AssemblyVersion and AssemblyFileversion have changed.

Installation Wix script with no Major Upgrade support

Typical installation script for such program would be something like this:

<?xml version='1.0' encoding='windows-1252'?>

<Wix xmlns='https://schemas.microsoft.com/wix/2003/01/wi'>

  <?define SkuName = "TestApp"?>

  <?define ProductVersion="1.0.0" ?>

  <?define UpgradeCode="{3485E6A2-A1F3-4329-8BB5-ED8FFCF283D4}"?>

  <?define Manufacturer="Acme Corp."?>

  <?define ProductCode="{5C32A3BD-3BA3-43AF-951F-1077E84B00DC}"?>

  <?define PackageCode="{????????-????-????-????-????????????}"?>

  <Product Id='$(var.ProductCode)'

           Name='ProductName'

           Language='1033'

           Version='$(var.ProductVersion)'

           Codepage='1252'

           Manufacturer='$(var.Manufacturer)'

           UpgradeCode='$(var.UpgradeCode)'>

    <Package Id='$(var.PackageCode)'

             Description="PackageDescription"

             Comments='Comments'

             Manufacturer='$(var.Manufacturer)'

             InstallerVersion='200'

             Languages='1033'

             SummaryCodepage='1252'

             Compressed='yes'

             AdminImage='no'

             Platforms='Intel'

             ReadOnly='yes'

             ShortNames='no'

             Keywords='Installer,MSI,Database' />

<Media Id="1" Cabinet="$(var.SkuName).cab" EmbedCab="yes" />

 

    <Directory Id='TARGETDIR' Name='SourceDir'>

      <Directory Id='LocalAppDataFolder'>

        <Directory Id='INSTALLDIR' Name='TestApp'>

          <Component Id='$(var.SkuName)' Guid='{835A4136-B01E-4F8B-8EA7-5D6F69B07A83}'>

            <File Id='TestAppExe' DiskId='1' KeyPath='yes' Checksum='yes'

                 Vital='yes' Name='TestApp.exe' Assembly='.net'

                 AssemblyManifest='TestAppExe'

                 AssemblyApplication='TestAppExe'

                  Source='TestApp.exe' />

          </Component>

          <Component Id='TestLibDll_Component' Guid='{5BC55186-170E-475C-B77A-D80581FC88EC}'>

            <File Id='TestLibDll' Name='TestLib.dll' DiskId='1' KeyPath='yes'

                 Vital='yes' Assembly='.net' AssemblyManifest='TestLibDll'

                 AssemblyApplication='TestLibDll' Source='TestLib.dll' />

          </Component>

        </Directory>

      </Directory>

    </Directory>

    <Feature Id='Complete' Level='1'>

      <ComponentRef Id='$(var.SkuName)' />

      <ComponentRef Id='TestLibDll_Component' />

    </Feature>

  </Product>

</Wix>

Aside from UpgradeCode that script does not have any support for major upgrades.

Preparing an application for future major upgrades

Here is what needs to be done from purely MSI standpoint in order to support major upgrades:

  • Add a record to the Upgrade table to detect if installed on the system application has older version than current installation package.  We need this in case we need to apply conditions for upgrade only.  For example, we may update some configuration file during regular install and skip updating during upgrade thus preserving changes users might add to the configuration file after the original install.  This record should have the following values for columns:
    • UpgradeCode is set to the UpgradeCode property value
    • VersionMin is set to RTM version of the product
    • VersionMax is set to the current product version
    • Language can be set to a product language or empty
    • Attributes is set to msidbUpgradeAttributesVersionMinInclusive
    • Remove is empty
    • ActionProperty is set to the name of the public property which FindRelatedProducts action will set to the product code of already installed related product.  Suggested name for this property is UPGRADEFOUND.
  • Add a record to the Upgrade table to detect if current installation package contains an older version of an application.  We need this to prevent downgrading installed application to older version.  This record should have the following values for columns:
    • UpgradeCode is set to the UpgradeCode property value
    • VersionMin is set to current product version
    • VersionMax is empty
    • Language can be set to a product language or empty
    • Attributes is set to msidbUpgradeAttributesOnlyDetect
    • Remove is empty
    • ActionProperty is set to the name of the public property which FindRelatedProducts action will set to the product code of already installed related product.  Suggested name for this property is NEWPRODUCTFOUND.
  • FindRelatedProducts action should be scheduled in both InstallExecuteSequence and InstallUISequence tables.
  • Custom action Type 19 should be scheduled in both InstallExecuteSequence and InstallUISequence tables.  This action should be conditioned on NEWPRODUCTFOUND property.
  • MigrateFeatureStates action should be scheduled in both InstallExecuteSequence and InstallUISequence tables.  This action sets the feature states on installed application to reflect the feature states of already installed application.
  • RemoveExistingProducts action should be scheduled in InstallExecuteSequence table. This action removes the installed product or only updated files depending on where this action is scheduled in the InstallExecuteSequence table.
  • Both UPGRADEFOUND and NEWPRODUCTFOUND public properties  must be added to the SecureCustomProperties property.
  • Change ProductCode, PackageCode, and ProductVersion properties.
  • Important:   Product language defined in the Language attribute of <Product> element must be one of the languages listed in the Languages attribute of the <Package> element.

Here is how these items translates to Wix:

<Upgrade Id="$(var.UpgradeCode)">

  <UpgradeVersion Minimum="$(var.ProductVersion)"

                  IncludeMinimum="no"

                  OnlyDetect="yes"

Language="1033"

Property="NEWPRODUCTFOUND" />

  <UpgradeVersion Minimum="$(var.RTMProductVersion)"

                  IncludeMinimum="yes"

                  Maximum="$(var.ProductVersion)"

                  IncludeMaximum="no"

Language="1033"

Property="UPGRADEFOUND" />

</Upgrade>

Id attribute of the <Upgrade> element is set to a value of UpgradeCode property (UpgradeCode attribute of <Product> element) and will be added to the UpgradeCode column of every record in the Upgrade table.

Every <UpgradeVersion> element adds a new record to the Upgrade table.

Minimum attribute of the <UpgradeVersion> element sets the value of VersionMin column.

Maximum attribute of the <UpgradeVersion> element sets the value of VersionMax column.

Property attribute of the <UpgradeVersion> element sets the value of ActionProperty column.

Here is the relationships between flag bits in Attributes column of the Upgrade table and attributes of the <UpgradeVersion> element:

Flag Attribute Description
msidbUpgradeAttributesMigrateFeatures MigrateFeatures Enables the logic of MigrateFeatureStates action of migrating feature states.
msidbUpgradeAttributesOnlyDetect OnlyDetect Detects products and applications but does not remove.
msidbUpgradeAttributesIgnoreRemoveFailure IgnoreremoveFailure Continues installation upon failure to remove a product or application.
msidbUpgradeAttributesVersionMinInclusive IncludeMinimum Detects the range of versions including the value in VersionMin.
msidbUpgradeAttributesVersionMaxInclusive IncludeMaximum Detects the range of versions including the value in VersionMax.
msidbUpgradeAttributesLanguagesExclusive ExcludeLanguages Detects all languages, excluding the languages listed in the Language column.

<!-- Prevent downgrading -->

<CustomAction Id="PreventDowngrading"

             Error="Newer version already installed." />

<InstallExecuteSequence>

  <Custom Action="PreventDowngrading"

         After="FindRelatedProducts">NEWPRODUCTFOUND</Custom>

  <RemoveExistingProducts After="InstallFinalize" />

</InstallExecuteSequence>

<InstallUISequence>

  <Custom Action="PreventDowngrading"

         After="FindRelatedProducts">NEWPRODUCTFOUND</Custom>

</InstallUISequence>

Here is an updated installation script:

<?xml version='1.0' encoding='windows-1252'?>

<Wix xmlns='https://schemas.microsoft.com/wix/2003/01/wi'>

  <?define SkuName = "TestApp"?>

<?

define RTMProductVersion="1.0.0" ?>

<?define ProductVersion="2.0.0" ?>

  <?define UpgradeCode="{3485E6A2-A1F3-4329-8BB5-ED8FFCF283D4}"?>

  <?define Manufacturer="Acme Corp."?>

  <?define PackageCode="{????????-????-????-????-????????????}"?>

<Product Id='{8EEB7D19-F7F4-4218-93B9-BBEAAA4C2E2D}'

           Name='ProductName'

           Language='1033'

           Version='$(var.ProductVersion)'

           Codepage='1252'

           Manufacturer='$(var.Manufacturer)'

           UpgradeCode='$(var.UpgradeCode)'>

    <Package Id='$(var.PackageCode)'

             Description="PackageDescription"

             Comments='Comments'

             Manufacturer='$(var.Manufacturer)'

             InstallerVersion='200'

             Languages='1033'

             SummaryCodepage='1252'

             Compressed='yes'

             AdminImage='no'

             Platforms='Intel'

             ReadOnly='yes'

             ShortNames='no'

             Keywords='Installer,MSI,Database' />

<Media Id="1" Cabinet="$(var.SkuName).cab" EmbedCab="yes" />

 

    <Upgrade Id="$(var.UpgradeCode)">

      <UpgradeVersion Minimum="$(var.ProductVersion)"

                      IncludeMinimum="no"

                      OnlyDetect="yes"

Language="1033"

Property="NEWPRODUCTFOUND" />

      <UpgradeVersion Minimum="$(var.RTMProductVersion)"

                      IncludeMinimum="yes"

                      Maximum="$(var.ProductVersion)"

                      IncludeMaximum="no"

Language="1033"

Property="UPGRADEFOUND" />

    </Upgrade>

 

    <Directory Id='TARGETDIR' Name='SourceDir'>

      <Directory Id='LocalAppDataFolder'>

        <Directory Id='INSTALLDIR' Name='TestApp'>

          <Component Id='$(var.SkuName)' Guid='{835A4136-B01E-4F8B-8EA7-5D6F69B07A83}'>

            <File Id='TestAppExe' DiskId='1' KeyPath='yes' Checksum='yes'

                 Vital='yes' Name='TestApp.exe' Assembly='.net'

                 AssemblyManifest='TestAppExe'

                 AssemblyApplication='TestAppExe'

                  Source='TestApp.exe' />

          </Component>

          <Component Id='TestLibDll_Component' Guid='{5BC55186-170E-475C-B77A-D80581FC88EC}'>

            <File Id='TestLibDll' Name='TestLib.dll' DiskId='1' KeyPath='yes'

                 Vital='yes' Assembly='.net' AssemblyManifest='TestLibDll'

                 AssemblyApplication='TestLibDll' Source='TestLib.dll' />

          </Component>

        </Directory>

      </Directory>

    </Directory>

    <Feature Id='Complete' Level='1'>

      <ComponentRef Id='$(var.SkuName)' />

      <ComponentRef Id='TestLibDll_Component' />

    </Feature>

 

<!-- Prevent downgrading -->

<CustomAction Id="PreventDowngrading" Error="Newer version already installed." />

<!-- Sequences -->

<InstallExecuteSequence>

<Custom Action="PreventDowngrading" After="FindRelatedProducts">NEWPRODUCTFOUND</Custom>

<RemoveExistingProducts After="InstallFinalize" />

</InstallExecuteSequence>

<InstallUISequence>

<Custom Action="PreventDowngrading" After="FindRelatedProducts">NEWPRODUCTFOUND</Custom>

</InstallUISequence>

  </Product>

</Wix>

How upgrade works

  • The FindRelatedProducts action runs through each record of the Upgrade table in sequence and compares the upgrade code, product version, and language in each row to products installed on the system. When FindRelatedProducts detects a correspondence between the upgrade information and an installed product, it appends the product code to the property specified in the ActionProperty column of the Upgrade table (Property attribute of the <UpgradeVersion> element).

For FindRelatedProducts to work correctly, the package author must be sure that the ProductLanguage property in the Property table is set to a language that is also listed in the Template Summary Property.

FindRelatedProducts should be authored into the InstallUISequence table and InstallExecuteSequence tables.  The FindRelatedProducts action must come before the MigrateFeatureStates action and the RemoveExistingProducts action.

  • MigrateFeatureStates reads the feature states in the existing application and then sets these feature states in the pending installation. The method is only useful when the new feature tree has not greatly changed from the original.

MigrateFeatureStates action runs through each record of the Upgrade table in sequence and compares the upgrade code, product version, and language in each row to all products installed on the system. If MigrateFeatureStates action detects a correspondence, and if the msidbUpgradeAttributesMigrateFeatures bit flag is set in the Attributes column of the Upgrade table, the installer queries the existing feature states for the product and sets these states for the same features in the new application. The action only migrates the feature states if the Preselected property is not set.

The MigrateFeatureStates action should come immediately after the CostFinalize action. MigrateFeatureStates must be sequenced in both the InstallUISequence table and the InstallExecuteSequence table.

  • The RemoveExistingProducts action goes through the product codes listed in the ActionProperty column of the Upgrade table and removes the products in sequence by invoking concurrent installations. For each concurrent installation the installer sets the ProductCode property to the product code and sets the REMOVE property to the value in the Remove field of the Upgrade table. If the Remove field is blank, its value defaults to ALL and the installer removes the entire product.

The RemoveExistingProducts action must be scheduled in the action sequence in one of the following locations.

    • Between the InstallValidate action and the InstallInitialize action. In this case, the installer removes the old applications entirely before installing the new applications. This is an inefficient placement for the action because all reused files have to be recopied.
    • After the InstallInitialize action and before any actions that generate execution script.
    • Between the InstallExecute action, or the InstallExecuteAgain action, and the InstallFinalize action. Generally the last three actions are scheduled right after one another: InstallExecute, RemoveExistingProducts, and InstallFinalize. In this case the updated files are installed first and then the old files are removed. However, if the removal of the old application fails, then the installer rolls back both the removal of the old application and the install of the new application.
    • After the InstallFinalize action. This is the most efficient placement for the action. In this case, the installer updates files before removing the old applications. Only the files being updated get installed during the installation. If the removal of the old application fails, then the installer only rolls back the uninstallation of the old application.

Windows Installer sets the UPGRADINGPRODUCTCODE Property when it runs this action.

Comments

  • Anonymous
    April 09, 2008
    Hello, I have a question. Suppose that version 1 of your  application (Wix script with no Major Upgrade support) is installed on a system, is it possible to update it with version 2 or a similar implementation without having to manually uninstall first? Thanks!

  • Anonymous
    July 10, 2008
    That's a really good post Alex. I've used your content to add a major install to my language pack and i'm not sure i could have done it without you page to reference/copy. Thanks for the effort. Greg.

  • Anonymous
    August 26, 2008
    Great post Alex. I successfully used your code for implementing a major upgrade. It all worked fine until I had to change my product name. Since my product name has changed, it seems that FindRelatedProducts does not find the older version, and after performing the upgrade I find 2 entries in add/remove programs (the old and new name). Do you possibly know how to solve this issue?

  • Anonymous
    October 15, 2008
    Thank you so much for this brilliant post, you can't imagine how much time I was losing trying to get an upgrade to work!  

  • Anonymous
    October 24, 2008
    The comment has been removed

  • Anonymous
    October 24, 2008
    The comment has been removed

  • Anonymous
    December 03, 2008
    I'm with Ramon - If an UpgradeCode wasn't included in version 1, will an upgrade easily be detected for a version 2 that includes an UpgradeCode? Or is there additional code to write? Your site is a fantastic resource btw!

  • Anonymous
    February 19, 2009
    I'm also in with Ramon's question. I need always perform an auto uninstall of a previous version whether its major or monor. Any suggestions Alex?

  • Anonymous
    February 20, 2009
    Regarding Ramon's question on missing UpgradeCode in Version 1.  Unfortunately, I don't think anything can be done to allow automatic major upgrade. To enable major upgrade Windows Installer requires UpgradeCode, ProductVersion and ProductLanguage properties identified in the installation package.  That is why the Best Practice with any installation package is to always assign values for these properties.

  • Anonymous
    May 29, 2009
    I followed the same steps as indicated above and i have created an updated MSI package to update the program and also the script in the database, but when i install the updated MSI package the SQL statements are not updated in the database An ideas?

  • Anonymous
    May 29, 2009
    The comment has been removed

  • Anonymous
    June 02, 2009
    Hi Alex, Thanks for the prompt reply. I have fixed the database update issue which i mentioned earlier. Now i have got a new issue i have 2 MSI packages, Error MSI and Fixed MSI. I would upgrade my Setup package using the Fixed MSI but again if i run the Error MSI the Setup package turns back again to the older version. Is there anything to stop this or any suggestions?

  • Anonymous
    June 02, 2009
    Hi Prabhakaran, If I understood you correctly, you are having downgrading issue.  Search for "PreventDowngrading" in the post above.

  • Anonymous
    June 03, 2009
    The comment has been removed

  • Anonymous
    June 05, 2009
    This command is for minor updates. To apply major upgrade simply install new msi: msiexec /i Fixed.msi

  • Anonymous
    July 16, 2009
    Hello I followed your blog and I am able to sucessfully upgrade with the new MSI. ( major upgrade). Now when I use the new msi to uninstall the product, it fails with error ( this action is only valid for currently installed products.) Can you provide some insights on what could be done to fix this ?

  • Anonymous
    July 16, 2009
    Make sure that new version has both Product and Package codes different from original package.

  • Anonymous
    July 31, 2009
    How to prevent  a custom action from running during a upgrade ? i have this :        <Custom Action='CreateScheduledTask' After='InstallFinalize'>NOT Installed</Custom> But this runs during the upgrade. Thanks,Peter

  • Anonymous
    August 02, 2009
    Hi Peter, During upgrade Windows Installer sets the UPGRADINGPRODUCTCODE property.  You can use it in conditions.

  • Anonymous
    August 05, 2009
    Hello Alex, I used created a wix based on the example given above. The first time I installed the msi, it works great. There were no installations problems. I created a new build and installed the msi I get this error [Window Title] Windows Installer [Main Instruction] Another version of this product is already installed.  Installation of this version cannot continue.  To configure or remove the existing version of this product, use Add/Remove Programs on the Control Panel. [OK] Can you please help me in finding the solution to this problem. This is the behaviour I am expecting. When I install a new build, it should Uninstall the old version and install the new one.

  • Anonymous
    August 05, 2009
    Hi Abhishek, Make sure you change Product Code (Product/@Id), Package Code (Package/@Id), and Product Version (Product/@Version). During upgrade only first three fields of Product Version are recognized. Fourth field is ignored and if two versions are different in fourth field only, they will be considered as the same version by Windows Installer. Also, make sure that Upgrade/@Id has the same value as Product/@UpgradeCode and UpgradeVersion elements have correct values for Minimum and Maximum attributes.

  • Anonymous
    August 05, 2009
    Thank you very much for the quick response. I generate a new guid for the Package. I dont generate a new guid for the Product. I have been testing with desktop builds. So the version of the product was not changing. I will change the Product version and try this. Will give an update after I try this. Do you want me to generate the Product guids too? When I did this installations happens succesfully but the the uninstall did not happen.

  • Anonymous
    August 11, 2009
    I have a major upgrade authored into my wxs file as well.  When I attempt to run the upgrade, I get a message in the verbose log from the RemoveExistingProducts action that states "Ignoring failure to remove product during upgrade - product already uninstalled."  The product is definitely not already uninstalled, and then end result is the upgrade occurs, but now there are 2 instances of the product in ARP.  Is there something I am doing wrong?

  • Anonymous
    August 21, 2009

  1. My wix project is for a Visual studio package application. I generated a wix using the sample above.
  2. When I install the msi for the first time, it installs successfully. I see the msi in Program and features with the right version.
  3. I generate a new build and then install the msi again. The new version gets successfully installed. I see the new version in Program and features. But when I look at the dlls installed. They have not been refreshed yet. They are still from the previous build. The upgrade did not refresh the dlls. Any help on this would be great.
  • Anonymous
    August 21, 2009
    Please ignore my previous question. I got it working. I followed the instructions here and it worked. Thank you very much Alex. This blog is excellent.

  • Anonymous
    October 08, 2009
     Alex, thank for the great post.  We had per user installation, but we had to make it per machine or per user.  My initial approach was to use HKMU key and change "ALLUSERS" property in the custom build step if the user is privileged, but that broke full upgrade.  I fixed the problem by separating per user and per machine registry keys and changing the installation path if the user is not privileged.    And you post convinced me that  this is the right solution in our case.

  • Anonymous
    October 30, 2009
    Mr Shevchuk, Excellent work.  Bare with my ignorance; I hope you can steer me in the right direction. For the next release of my product, and for the first time, we will use WiX, instead of InstallShield.  The release cycle is longish and we will have to generate a number of Alpha/Beta/RC builds for internal testing. My questions:

  1. What is your recommended approach to upgrading these internal, pre-release, versions? A "Major Upgrade" seems a tad heavy handing since we'd have to change the ProductCode etc for every build and this could lead to, if I understand it correctly, an accumulation of said "codes".  I should mention that completely uninstalling  the product before installing the new version is not an issue.  I'm looking for the most straightforward means of doing this.
  2. What is your recommended approach to upgrading from a previous RTM version that used InstallShield which, as I understand it, does not result in having a handy UpgradeCode? Many Thanks (even if you choose NOT to answer)
  • Anonymous
    October 31, 2009
    The comment has been removed

  • Anonymous
    November 01, 2009
    Many thanks for your excellent feedback and recommendations. I was secretly hoping you would suggest the major upgrade route; it looks like the most straightforward, definitive and flexible way to go. (Ever thought about authoring a book on the subject?)

  • Anonymous
    November 14, 2009
    Thank you so much, Alex. My Upgrades stopped working, when I introduced languages. Finally I found the solution in your blog. I had to add Language = '1031' in <Upgrade Version>. This Blog is great.

  • Anonymous
    March 11, 2010
    Alex, Thx for great post. I want to updrade the previous version of the product with the new one. The code is working fine if the upgradecode of both versions is same. But I want the new version with different upgradeCode. So how can I upgrade a previous version with different upgrade code?

  • Anonymous
    April 09, 2010
    The comment has been removed

  • Anonymous
    May 06, 2010
    Thanks for the great blog Alex! I'm having a problem though with the Windows caching of the installer. I'm trying to do an upgrade and each time the Windows installer is launching the installer of the older version. And when I do the upgrade it is complaining about problems with reading the older version's msi file (because its not in the same directory anymore). I did change the UpgradeCode but kept the Product and Package codes the same. I also have different ProductVersion codes (2.2.3 vs 2.3.0). Thanks,

  • Anonymous
    June 07, 2010
    Hi Alex, I have two questions for you if you please.

  1. As far as we need a RemoveExistingProducts action only when we install product, don't we need some condition on it? Like "NOT REMOVE=ALL" or something like this?
  2. You say that location of RemoveExistingProducts action before InstallInitialize action is inefficient and that most efficient placement for this action is after InstallFinalize action. Right? But where I must to place it if some action which deals with uninstallation(I placed them before the UnpublishComponents action)  removes files, stops service, etc. I am afraid if I place RemoveExistingProducts after InstallFinalize there will be some comflicts. Can you suggest me something?
  • Anonymous
    June 07, 2010
    Hi Cody, For your first question - quote from msdn.microsoft.com/.../aa371197(VS.85).aspx: "The installer only runs the RemoveExistingProducts action the first time it installs a product. It does not run the action during a maintenance installation or uninstallation." So, the answer is: there is no need to do any additional scheduling, MSI will take care of it. As far as scheduling, it is very tricky.  Even though scheduling REP after InstallFinalize is the most efficient, it may not always possible to schedule REP at this point.  Sometimes you have to schedule it before InstallInitialize if there are special CA's on uninstall.  Also, keep in mind that when REP uninstalls the old product, it sets UPGRADINGPRODUCTCODE property which you can use to schedule CA to run only during uninstall or during old product uninstall.  This may help you in scheduling REP after InstallFinalize by splitting your CA to two separate: one for product uninstall and another one for old product uninstall during upgrade. Hope this helps, Alex

  • Anonymous
    June 07, 2010
    Alex, thanks for your reply, its realy helpful. I was wery inattentive reading this msdn article before. Also I know about UPGRADINGPRODUCTCODE property and I using it. My question was more like curiosity: I thought may be there is some little-known mechanism for such situations... well.. looks like not. Any way thanks for you help.

  • Anonymous
    June 24, 2010
    Добрый день. Я слаб в английском, и чтоб лучше объснить суть проблем пишу на русском) Повторяю в точность все выше описанные шаги, но мой installer  ни как не хочет обновлять предыдущею версию программы. Шаги:

  1. Собрал приложение в студии. Запускаю мой installer.
  2. Все прекрасно устанавливается.
  3. Повторно запускаю installer, мне предлагается выбрать вариант установки, Изменить, Восстановить, или Удалить. Тут все ок!
  4. Если ЗАНОВО сдлеать Rebuild solution в студии(при этом НИ строчки кода НЕ менялось!!!). И снова запустить installer, то сразу же появляется окно, мол: Есть старая версия удали ее сначала плиз! :( Another version of this product is already installed. Installation of this version cannot continue. To configure or remove the existing version of this product, use Add/Remove Programs on the Control Panel. Вот мой код: <?xml version="1.0" encoding="UTF-8"?> <Wix xmlns="schemas.microsoft.com/.../wi"> <?define SkuName = "TestApp"?> <?define RTMProductVersion="1.0.0" ?> <?define ProductName="SetupProject1" ?> <?define ProductVersion="2.0.0.0" ?> <?define ProductCode="b7bc7c6f-9a4e-4973-be84-eca8e3427c97"?> <?define UpgradeCode="06a81104-1e30-463d-87e1-e8a79b4c682a"?> <?define PackageCode="{8EB1B635-E70B-4F5D-B1CE-C2B25E63A3F5}"?> <?define Manufacturer="MyCompany"?> <Product Id="$(var.ProductCode)" Name="$(var.ProductName)" Language="1049" Version="$(var.ProductVersion)" Manufacturer="$(var.Manufacturer)" UpgradeCode="$(var.UpgradeCode)"> <Package Id="$(var.PackageCode)" Manufacturer="$(var.Manufacturer)" InstallerVersion="200" SummaryCodepage='1252'             Compressed='yes'             AdminImage='no'             Platforms='Intel'             ReadOnly='yes'             ShortNames='no'             Keywords='Installer,MSI,Database' /> <Media Id="1" Cabinet="$(var.SkuName).cab" EmbedCab="yes" /> <Upgrade Id="$(var.UpgradeCode)"> <UpgradeVersion Minimum="$(var.ProductVersion)" IncludeMinimum="no" OnlyDetect="yes" Language="1033" Property="NEWPRODUCTFOUND" /> <UpgradeVersion Minimum="$(var.RTMProductVersion)" IncludeMinimum="yes" Maximum="$(var.ProductVersion)" IncludeMaximum="no" Language="1033" Property="UPGRADEFOUND"/> </Upgrade> <Directory Id="TARGETDIR" Name="SourceDir"> <Directory Id="ProgramFilesFolder"> <Directory Id="INSTALLLOCATION" Name="$(var.ProductName)"> <Component Id="ProductComponent" Guid="b11556a2-e066-4393-af5c-9c9210187eb2"> <File Id='Calc' DiskId='1' Source='C:WINDOWSsystem32calc.exe'/> </Component> </Directory> </Directory> <Directory Id="ProgramMenuFolder"> &
  • Anonymous
    August 31, 2010
    Hi Alex (or anyone that can help),   I have inserted this code into two various builds now and both still do not upgrade automatically. It throws me a message that "Another version of this product is already installed. Installation of this version cannot continue. To configure or remove..."   Can someone point me into the right direction as to what I may be missing? Thanks in advance.

  • Anonymous
    October 15, 2010
    I have the same problem :(

  • Anonymous
    December 22, 2010
    The comment has been removed

  • Anonymous
    January 17, 2011
    I've been built same code with two different version numbers. Installed the first MSI and tried to use the second to uninstall (I was hoping that would work as the upgrade code is the same); however, I get "Another version of this product is already installed" message. Plz help......

  • Anonymous
    January 17, 2011
    I've have built same code with two different version numbers. Installed the first MSI and tried to use the second to uninstall (I was hoping that would work as the upgrade code is the same); however, I get "Another version of this product is already installed" message. Plz help......

  • Anonymous
    January 07, 2013
    Hi Alex, I am facing now a days problem with upgrade. I made a Web Application upgrade with proper rules of upgrade but it is not copying files from source directory. It will make double entry in 'Program and features'.  and not upgrade the previous version. I made everything proper as I seen. I checked UpgradeVersion, AdminUISequence, InstallUISequence, InstallExecuteSequence. Everything in a right manner. It is not working. Whats the problem? Whats I am missing?

  • Anonymous
    June 06, 2014
    Thank you so much for this. I was struggling for a long time.