Deploying software applications in a managed enterprise setting can be quite complicated. A widely used approach for distributing and managing software on multiple computers involves utilizing Windows MSI files. These files offer a consistent and dependable method for managing app installations, updates, and uninstalls. In a recent project, I had to create an MSI file for a Python app using the cx_Freeze library. In this post, I'll delve into some of the hurdles encountered during the project, particularly regarding the customization of the installation process to accommodate users with different permissions. Additionally, I'll talk about some of the tools I employed to develop the MSI file and how I overcame the challenges posed by the limited documentation of cx_Freeze.
Setup.py is used by cxfreeze to set options for freezing and building your application into an executable and
for packaging that executable into an installer. In this case, an MSI using the bdist_msi
command.
An example options variable looks like this:
options = {
"build_exe": {
"bin_excludes": ["libqpdf.so", "libqpdf.dylib"],
# exclude packages that are not really needed
"excludes": [
"tkinter",
"unittest",
"http",
"pydoc",
],
"packages": [
"PySide6.QtCore",
"PySide6.QtGui",
"PySide6.QtWidgets",
"barcode",
"email",
"win32api",
"win32print",
"debugpy",
],
"include_files": [
find_data_file("template.png"),
find_data_file("icon.ico"),
find_data_file("error.png"),
find_data_file("PRinter/pythoncom310.dll"),
find_data_file("PRinter/pywintypes310.dll"),
],
"optimize": 1,
"silent": True,
# Include the Microsoft Visual C Redistributable for Pyside6
"include_msvcr": True,
},
"bdist_msi": bdist_msi_options,
}
The options variable should be a dictionary with the command names as keys and desired options as values. For example,
the build_exe
item includes the options related to freezing and building your application. Nothing is too spectacular
here - by following through the cx_freeze docs, you should be able to get to this point.
Note that the find_data_files
method is just for finding other required files. Depending on if the application is frozen
or not, they can be in a different location:
# Data Files
def find_data_file(filename):
if getattr(sys, "frozen", False):
# The application is frozen
datadir = os.path.dirname(sys.executable)
else:
# The application is not frozen
# Change this bit to match where you store your data files:
datadir = os.path.dirname("./")
return os.path.join(datadir, filename)
You may have noticed that the build options are in-lined directly inside the options variable but the bdist_msi options are stored in their own variable. This is mainly for readability and separating the "meat" of this problem into its own section. Here's what my bdist_msi looks like:
bdist_msi_options = {
"summary_data": {
"author": "George",
"comments": "Sample application",
"keywords": "PySide6",
},
# Icon for the installer
"install_icon": find_data_file("icon.ico"),
"initial_target_dir": rf"C:Program Files{company_name}{product_name}",
# Unique GUID for the application - for updates
"upgrade_code": UPGRADE_CODE,
"data": msi_data,
"all_users": True,
# Skip the build process - use to build and sign the exe separately
# run build command first, then sign the exe, then run this command
"skip_build": False,
}
The most important options here are:
initial_target_dir : Target install location, or where you want the program to be located on the user's machine.
upgrade_code : A GUID that you generate to represent your application. This way when the version increases on your application, the operating system knows that it is the same software and should replace the old version
all_users : Determines if the application is installed for all users on the target machine or just the logged on user.
data : Stores any custom MSI data needed for your installation.
You may notice that the initial_target_dir
is hardcoded to the C: drive, which is not great. This is just to give the
initial_target_dir
a value. It gets overwritten during the final installation process.
This is where information started being harder to find, in regard to properly configuring the bdist_msi options. Some of the options available are not documented well, and required a bit of digging to find out they existed and how to use them.
Before going forward you should understand at a basic level that MSIs are more akin to a lot of small database tables that contain information about your program and how to install it. This can be difficult to wrap your head around, as it is different from the typical scripting approach. It may be beneficial if you install Orca (mentioned further down) and opening an installer for yourself.
With that out of the way, the msi_data
variable contains tables that are to be inserted into the MSI package:
# This will be part of the 'data' option of bdist_msi
msi_data = {
"Shortcut": shortcut_table,
"Property": property_table,
"CustomAction": custom_action_table,
"InstallExecuteSequence": sequence_table,
}
As you may guess by the name, the Shortcut table is responsible for creating shortcuts on the target machine. It has quite a few columns, all of which can be seen in the linked documentation. Of those, the ones worth paying attention to the most are:
shortcut_table = [
(
"DesktopShortcut", # Shortcut
"DesktopFolder", # Directory_
"MH Label Printer", # Name
"TARGETDIR", # Component_
f"[TARGETDIR]{TARGET_NAME}", # Target
None, # Arguments
None, # Description
None, # Hotkey
"", # Icon - None for default
None, # IconIndex
None, # ShowCmd
"TARGETDIR", # WkDir
),
(
"StartMenuShortcut", # Shortcut
"StartMenuFolder", # Directory_
"MH Label Printer", # Name
"TARGETDIR", # Component_
f"[TARGETDIR]{TARGET_NAME}", # Target
None, # Arguments
None, # Description
None, # Hotkey
"", # Icon - None for default
None, # IconIndex
None, # ShowCmd
"TARGETDIR", # WkDir
),
]
Notice how the Directory_ column has some interesting values for both shortcut entries. DesktopFolder
and StartMenuFolder
.
These are System Folder Properties,
which are environment variables for common locations on the target machine.
The property table contains names and values for any defined properties used in the installation. I have set TARGETDIR
to "test" here. This property is also set by cx_freeze itself via the initial_target_dir
variable from earlier.
property_table = [
("TARGETDIR", "test"),
("MANUFACTURER", company_name),
("PUBLISHER", company_name),
]
The custom action table is for you to include custom code or functionality in your installation package. There are a wide variety of available action types, but the one we are inteterested in is number 51, "Property set with formatted text." The formatted text part of that is important. The formatted text allows the use of the environment variables. Thus, we can change the target directory using information gathered during the installation.
# Custom Actions table
custom_action_table = [
(
"SetTargetDir",
"51",
"TARGETDIR",
f"[%PROGRAMFILES]" + f"\{company_name}\{product_name}",
)
]
After including this in the installer, we have the action to set the TARGETDIR
property, but it is not being
used anywhere in the process yet. That is where the Sequence Table comes in.
There are a few sequence tables that can be used when creating an MSI, depending on if the installation is an Advertisement,
done by an Admin, or just ran by a user. The one we are interested in is InstallExecuteSequence
, which is what happens
when the installer is run in silent mode (no UI or console window popup)
# Add custom action to sequence table
sequence_table = [
("SetTargetDir", "", "800"),
]
We only have one entry here, and it is adding our custom action to sequence 800. It took some trial and error to find out how far into the installation is correct. Too early and it will get overridden by the cx_freeze options; too late and the installer has already started with the original value.
Adding these custom tables to the MSI installer required a bit of trial and error. You can probably add some of the other MSI tables as well, assuming the correct values are provided. There are a few tools that will be useful for this section:
When you are ready to test your MSI file, run python setup.py bdist_msi
to build and package your program.
We will complete the following steps:
/Qn
and verbose logging /lV*
See below for an example:
Now, run the installation command, with logging:
msiexec.exe /i "MSI_LOCATION"/qN /lV* "LOGFILE_OUTPUT_LOCATION"
You should see a log file appear at the specified location. Open the logfile with CMTrace. I advise keeping an eye on this as it installs. If you have made a mistake with the MSI tables you are adding manually to the installer, it tends to fail early on. Look for red lines in CM_Trace and start reading up until you find the error. The Windows Installer Error Messages page 2 will be useful for understanding any messages that appear. Here is an example of the CMTrace interface:
If you need to open the file with Orca and already have it installed,there will be an "Edit with Orca" option in the right click menu for any MSI file. You will see a list of tables inside the left sidebar. The rows on the right show what is included in the selected table.
I hope this has been helpful for anyone who is trying to create an MSI installer for their Python application. One resource that I found very useful was this series of blog posts by Rob Mensching, who worked on the MSI format for Windows Installer. He also is behind the WIX Toolset which is a very popular tool for creating MSI installers.