Home

Power Apps: Presentation, tutorial and feedbacks of Canvas Apps

Business application on mobile

This Chronicle presents the Canvas Apps, one of the three Apps existing in the PowerApps suite developed by Microsoft.

  • The First Part introduces PowerApps.
  • The Second Part specifically introduces the Canvas Apps
  • The Third Part presents the main components encountered when developing a Canvas App.
  • The Fourth Part focuses on the Licenses to use Canvas Apps
  • The Fifth Part explains how to share a Canvas App to make it available to other users
  • The Sixth Part shows different ways to use Canvas Apps
  • The Seventh Part reports a concrete case of a project using Canvas Apps

Note: Canvas Apps are a very large subject. The Microsoft Documentation on Canvas Apps is already exhaustive. This Chronicle intends to be a quicker way to understand Canvas Apps. And to gather the experience acquired during projects.  

Power Apps Overview

Presentation.

Power Apps is a suite of apps, services, connectors and data platform that provides a rapid application development environment to build custom apps for business needs.

There exists three types of Apps in PowerApps: Canvas Apps, Model-driven Apps, and Portals:

  • Canvas apps start with user experience, crafting a highly tailored interface with the power of a blank canvas and connecting it to a choice of 200 data sources. You can build canvas apps for web, mobile, and tablet applications.
  • Model-driven apps start with your data model – building up from the shape of your core business data and processes in the Common Data Service to model forms, views, and other components. Model-driven apps automatically generate great UI that is responsive across devices. The User Interface of Dynamic 365 uses Model-Driven Apps.
  • Portals start to create external-facing websites that allow users outside your organization to sign in with a wide variety of identities, create and view data in Common Data Service, or even browse content anonymously.

Managing Power Apps

The development of Apps is done at this URL: make.powerapps.com     It has two main components:

  • Power Apps Studio is the app designer used for building canvas apps
  • App designer for model-driven apps lets you define the sitemap and add components to build a model-driven app

Power Apps admin center: admin.powerapps.com Used to create and manage environments, users, roles, and data-loss prevention policies.

Power Platform admin center: admin.powerplatform.microsoft.com Used to manage environments, get real-time, self-help recommendations and support for Power Apps and Power Automate, and view Common Data Service analytics.  

Canvas App Presentation

Canvas Apps are Business apps created with a low-code tool. They are described by Microsoft in the following way: “Design and build a business app from a canvas in Microsoft Power Apps without writing code in a traditional programming language such as C#. Design the app by dragging and dropping elements onto a canvas, just as you would design a slide in PowerPoint. Create Excel-like expressions for specifying logic and working with data. Build apps that integrate business data from a wide variety of Microsoft and third-party sources. Share your app so that users can run it in a browser or on a mobile device (Smartphones and Tablets), and embed your app so that users can run it in SharePoint, Power BI, or Teams." More information on the possible ways to use Canvas Apps are given in Section "Overview: where Canvas Apps can be used".  

Canvas App Development

This Part presents the main components encountered when developing a Canvas App. It will give you quick marks if you ever land on this tool.

Editor Interface

As said before, Canvas Apps are created following this link: make.powerapps.com. To create a new Canvas App: on the Menu on the left: Go to Apps. Click New app -> Canvas. A form opens. It allows to choose to create a Canvas App from a blank canvas or from a Template. One can also choose either a Phone or a Tablet layout. One main difference between the two layouts is that it is possible to set a custom height and width for the App for the Tablet layout but not for the Phone Layout. After the App is created, the following window opens:  

Canvas app editor interface

The centre of the window (1) contains the layout of the Canvas App. The Menu on the left (2) can display a Tree of the elements in the App as well as the different Data Sources that are available.  The Menu on the right (3) allows to configure the properties of the element that is selected on the Canvas App The Menu on the top (4) allows to insert elements in the Canvas App, and also change some of their properties This list (5) allows to choose a property or an action of an element that is selected in the App This bar (6) contains a formula associated to the property or the action that is selected in (5) This “File” Tab (7) provides several functionalities:

  • Manage Connections to Data Sources
  • Manage Flows
  • Settings: Name & Icon of the App, Screen Size & Orientation, and all Advanced Settings
  • View of first records in the Collections
  • View of variables and their values
  • Media: used to import pictures, videos and audios into the App

More information will be given on these things later in the Chronicle.  

Canvas Apps Language - Presentation

To define the logic of the application, the creator of a Canvas App has to write formulas using a programming language. The formulas used can make think of the ones in Microsoft Office Excel. The formulas are written for properties of the elements on the App, or for triggers linked to actions performed on these elements. When a modification occurs in the App, the properties containing formulas are directly updated, just like in Excel. To give an overview of the language, below is a part of a formula used in the Canvas App (client name blurred):  

Language overview

Like most programming languages, it contains Conditions (If) and Loops (ForAll). Some of the most useful functions will be mentioned in this Chronicle.     Functions are separated with semi-colons. Inside a function, the arguments are separated by commas.     By default, the expressions in the formulas are sequentially executed. It is possible to execute some expressions in parallel by using the Concurrent function. The use of parallelism can save a significant amount of time for instance when using it for a Data transfer. The language doesn’t provide Functions nor Classes. As will be seen later in the Chronicle, I personally found that the code lacks a lot of structure because of this and it adds a lot of complexity to the App. The whole reference for the programming language in Canvas Apps can be found here: https://docs.microsoft.com/en-us/powerapps/maker/canvas-apps/formula-reference  

There are a few triggers in Canvas App that can launch the execution of a formula. Here are the main ones:

  • OnSelect: Available on buttons and many controls. Runs the formula when the element is selected
  • OnChange: Available on Lists. Runs the formula when the user changes the option selected in the List
  • OnStart: Triggers the formula when the Canvas App starts
  • OnTimerEnd: Available for Timers. Executes the formula when the Timer ends
  • OnTimerStart: Same but when the Timer starts  

The Canvas App can have several screens. New screens can be added in the App, in the tab Home -> New Screen. The navigation between the screens is made using the function Navigate. It can for instance be used on the OnSelect property of a button. Then, when the button is selected, the App will navigate to the specified screen.

Add a Gallery

Galleries are the equivalent of Views in a Model-Driven App. There are used to list the records of an entity. The creator can choose the fields he wants to display. Unlike a Model-Driven App, the creator can here customize all the design. To add a Gallery to the App, go to Insert -> Gallery.

Canvas App add gallery

Then, on the element that appears on the screen, click add a Connector and choose a Data Source. For instance, Dynamics 365. Then, choose the Environment to work in, and select an Entity. The Gallery has one section per record of the Entity. In the Editor, the modifications are done in the first section of the list. All other sections follow the same structure as the first one. Add a Label in it. Select the label object. In the Formula bar, select the property “Text”, and set the Formula to ThisItem.fullname . It now displays a list of the names of the contacts:  

Canvas App add Formula

Other fields can be added in the sections, as well as icons or images. Below is a little improvement where the mail address, separating lines and an icon were added:

Canvas App add Formula

The Forms in a Model-Driven App are called the same in Canvas App. They allow to display data of a particular record and to update this Data. They can also be used to create a new record. The main functions used for Forms are:

  • EditForm: Edit the data of a record
  • NewForm: Create a new record
  • SubmitForm: Submit the form
  • ResetForm: Reset the form to his previous state

This Parts presents some of the main controls available in the Canvas Apps.

Buttons are quite simple elements. They have an OnSelect trigger that allows to runs a formula when they are selected.

The Application can take as inputs:

  • Date pickers
  • Audio from microphones
  • Video from Camera
  • Pen input: the user can write on the screen. The writing is kept as an image

The Application can show:

  • Power BI tiles

Designing the User Interface

Designing the User Interface in PowerApps is extremely simple. It is very similar to the edition of slides if Microsoft PowerPoint. Elements can be designed with Drag&Drop and selections of properties in menus. To make a more precise design it is also possible to fill the properties of an element with a number: for instance the number of Pixels for the height of an element; the hexadecimal code of a color for the background of an element, etc Example of properties:

  • Height, Width, Size, x-Position, y-Position, Padding
  • Visibility, DisplayMode
  • Border thickness

A property field can be filled with a formula. This allows to change the design of the elements on the App depending on the current context of the App. For instance, the creator of the App can write a formula to hide a button if its action has no meaning in the current context.  

Responsiveness

It is possible to have responsive layouts in Canvas Apps, so that the app adapts to the actual space in which it is running. It can be activated in the Advanced Settings by turning off the app's "Scale to fit" setting.

The responsive design can also be customized by writing Formulas based on the height and width of the device. The documentation of Microsoft can be found here : https://docs.microsoft.com/en-us/powerapps/maker/canvas-apps/create-responsive-layout

Data Manipulation

In a Canvas App, the formulas can directly refer to the Table of a Data source. Very often, the creator of the Canvas App will want to create new Tables and manipulates theses Tables. In Canvas Apps, these are called “Collections”: Collections are a special kind of data source. They're local to the app and not backed by a connection to a service in the cloud, so the information can’t be shared across devices for the same user or between users.  The main functions to manage Collections are:

  • Clear : Clear a Collection
  • Collect : Add Data to a Collection or a Data Source
  • ClearCollect : Clear a Collection and then add Data to it
  • Update/UpdateIf/Patch : Use to Update a Collections or a Data Source
  • LookUp : Select a record in a Collection or a Data Source
  • Search/Filter : Select a set of records in a Collection or a Data Source

It is possible to create variables in Canvas Apps. Variables can be global or contextual. Global variables can be used anywhere in the Canvas App. Context variables can be used only on a precise screen. The functions to set variables are: Set: Set a value to a Global variable UpdateContext: Set a value to a Context variable

Define Custom Functions

Writing custom Functions is not possible in Canvas Apps, which is really a significant drawback. However there is a way to imitate the behaviour of a function: Create a Button. Write a code on its OnSelect trigger. From somewhere else, use the Select function on this Button. It will call the code written in the OnSelect trigger of the Button. However, as said in the documentation: “Select queues the target OnSelect for later processing, which may happen after the current formula has finished being evaluated. Select doesn't cause the target OnSelect to evaluate immediately, nor does Select wait for OnSelect to finish being evaluated.” Basically, this means that the sequential order in the Formulas is not maintained with the Select function, which is not convenient in many use cases.

The signals in the Canvas Apps return information about the environment of the device. Signals are values that can change at any time, independent of how the user may be interacting with the app. Formulas that are based on signals automatically recalculate as these values change. The available signals in Canvas Apps are:

  • The Acceleration signal returns the device's acceleration in three dimensions relative to the device's screen.
  • The App object includes a signal that indicates which screen is showing.
  • The Compass signal returns the compass heading of the top of the screen. The heading is based on magnetic north.
  • The Connection signal returns the information about the network connection. For instance, whether a Network is available or not.
  • The Location signal returns the location of the device.  

Offline Mode

PowerApps provides functionalities to create an Offline mode in the Canvas Apps. Two functions combine to form a simple mechanism to store small amounts of data on a local device: SaveData: Saves a Collection in a local storage using a Name provided as argument LoadData: Retrieves the Data in the local storage using the Name provided, and writes the Data in a Collection. 

The Signal “Connection” mentioned previously can be very useful in this case, as it allows to know if the device is connected to a Network or not.  Unfortunately, it is not possible to trigger some expressions when the value of Connection.Connected changes. To catch a change in this value, a workaround could be to create a Timer with a certain duration and on the event “OnTimerEnd”, to check the value of Connection.Connected and then call a certain logic.

The available memory with this Offline mode is around 30-70 MB. Some data might be lost above this amount. The Offline mode is available for Smartphones and Tablets but doesn’t work in a Browser. The section "Project Feedback" provides information about a project made that contained an Offline mode. It explains some main points of the development of the Canvas App and presents some lessons learnt with this project.

Artificial Intelligence

Business Card Reader: Scan a Business Card and extracts information from it. This requires an AI builder license to be used. Form Processor: Detects and Extracts text in documents. Requires training on an AI model Object Detector: Detects objects in Images and draws bounding boxes around them Receipt processor: Scan a receipt and extract information from it Text recognizer: Extract printed and handwritten text from images

The trainings do not require to create a model. The models already exist but they need to be trained on a Database provided by the creator of the App.

The Canvas App can also connect to the Text Analytics API of Azure cognitive Services. This API enables to detect sentiment, key phrases, topics, and language from text.

More details can be found here: https://docs.microsoft.com/en-us/powerapps/maker/canvas-apps/cognitive-services-api

There are 2 pricing plans for PowerApps:

  • CHF 9.80 /user/app/month
  •  Allow individual users to run applications for a single business scenario based on the full capabilities of Power Apps.
  • CHF 39.40 /user/month
  • Equip users to run unlimited applications based on the full capabilities of Power Apps.

The use rights of PowerApps are included in other licenses, such as licenses of Office 365 and Dynamics 365. For instance, the licenses of Dynamics 365 give the following rights for the utilisation of PowerApps:  

Power Apps use rights included with Dynamics 365 licenses

One important feature to take care of concerns the Connectors used in the Canvas App. A Connector is the name given to the link binding a Canvas App to a DataBase or a Service. Power Apps has connectors for many popular services and on-premises data sources. Is it possible to create custom Connectors. The out-of-box Connectors can be of two types: “Standard” and “Premium”. Some licenses provide use rights to “Standard” licenses but not to “Premium” licenses. So this has to be studied carefully when choosing the License. Examples of “Standard” Connectors: OneDrive For Business, SharePoint, Outlook.com Examples of “Premium” Connectors: Dynamics 365, Salesforce, SAP ERP

Details about the Connectors can be found here: https://flow.microsoft.com/en-us/connectors/

As shows the previous table, the license of Dynamics 365 grants right to use “Premium” Connectors. However, as shows the next table, the license of Office 365 doesn’t provide an access to the “Premium” Connectors:   

Power Apps use rights included with Office 365 licenses

All the details for the licenses of PowerApps can be found in the Microsoft Power Apps and Power Automate Licensing Guide: https://go.microsoft.com/fwlink/?linkid=2085130 As licenses plans often change, it is important to check the Licensing Guides regularly.  

Share Canvas Apps

The person who creates a Canvas App is the owner of the App. After creation, he is the only person who has access to it. To make the App available to other people, the App has to be shared with these people. The owner can choose to allow or not these people to share themselves the App with others. To be able to share the App, the person must also have the permissions on the data used in the Canvas App. To share an App, go to make.powerapps.com. Select “Apps” on the menu on the left. Select the App. And click “Share” on the menu on the left:  

Sharing Canvas App

Overview: where Canvas Apps can be used

Canvas Apps can be used in many tools:

On Smartphones and Tablets

Download the free Application PowerApps on iOS and Android. When opening the Application, the user has to sign in with his credentials. Then, the user sees a list of the Canvas Apps that he owns or that were shared with him. He can then select the Canvas App that he wants to use.

In Model-Driven Apps

When editing a Form of a Model-Driven App, it is possible to insert a Canvas App. But note that this is only available in the UUI. In a Model-Driven App, the authentication in the Canvas App is automatically made. It authenticates with the credentials of the user of the Model-Driven App. So, the Canvas App has to be shared with all the users that are expected to use it. Note that a Canvas App can be put in Solutions. 

In Power BI

It is possible to embed a Canvas App into a Power BI report. To do so, a visual of Power BI called “PowerApps” is used. The visual can be inserted in the report like any other visual. Then, the Canvas App to be used in this visual must be selected. One great functionality is that it is possible to send data from Power BI to the Canvas App. This allows to display data in the Canvas App that corresponds to the Filters activated in Power BI. This creates a true interaction between the Power BI report and the Canvas App. To retrieve and manipulate this data in the Canvas App, an object called “PowerBIIntegration.Data”. Like in Model-Driven Apps: the authentication in the Canvas App in the Power BI report is made using the credentials of the user. So the App has to be shared with the user. More details can be found here: https://docs.microsoft.com/en-us/powerapps/maker/canvas-apps/embed-powerapps-powerbi

In Websites as iFrames

The Canvas Apps can also be embedded in any Website as iFrames. An authentication must be made in the Canvas App. The developer of the Website can choose to let the user authenticate by himself with his credentials. It is also possible to handle the authentication automatically by writing code using the Azure Active Directory Authentication.

Canvas Apps can be integrated in SharePoint.  

Project Feedback

This section describes a project of Canvas App made for a client. One main specificity of the Canvas App is that it had to implement an Offline mode. The client will be called Company AAA here.

Project Presentation

In this project for Company AAA, ELCA has put in place new developments on the CRM Dynamics 365.

Company AAA organises events (like conferences) in many countries. Among other things, the new developments concerned the management of these events and of the participants to the events. Company AAA also wanted to be able to manage this on an application on a Tablet, directly during the event or a little before, while travelling for instance. Many events occur in places where networks can’t be reached so the Application requires an Offline mode.

3 main Entities in the CRM are implicated in this Business:

  • Events: The events of Company AAA
  • Contacts: People in contact with Company AAA. Participants to the Events are Contacts
  • EventPart: The relation between Events and Contacts is N:N. So, this entity was created to store the relationship existing for a Contact that participates to an Event

With this Application, Company AAA wants to be able to:

  • Select an Event among all existing Events
  • Have the list of all Contacts participating to the selected Event
  • Be able to modify the information of the Contact, and specify if he was indeed present or not to the Event
  • Be able to create a New Contact and add him to the Event
  • When Online, be able to add an existing Contact to the Event

When Offline, a Contact and its participation to an event must be stored. It is necessary to track if a record is new or already existing (and to keep the GUID in this case).

    Developing an application from scratch can be long. A Model-Driven app can be used on a Tablet, but the customisations possibilities were too limited for this use case. So it was deciced to develop the application using the Canvas Apps ! The Offline mode was clearly the main challenge of this Application.

Here is an overview of the final interface of the Canvas App that has been developed:

Example of Canvas App

Presentation of Offline specifities

This Part will explain shortly how the Offline mode was handled in the Canvas App.

When using Canvas App, it is possible to handle data by referring directly to the Data Source. As mentioned before, it also possible to create Collections to manipulate the Data of the Source.

When the device is Offline, it is not possible to refer directly to the Data Source. Only Collections can be used. In consequence, the App has been designed to manipulate (almost) only Collections. When Data is uploaded from a Data Source into the Canvas App, this data is directly inserted into a Collection.

Data Consistency in Offline mode

When switching between online and offline mode, data must be synchronised between the Cloud and the local storage. The user has to click on a button to execute the synchronisation. He has to make sure that he has a steady network when making the synchronisation. If the synchronisation was automatic we were afraid that there might be issues with intermittent networks.

Also, as the offline mode only uses the local device, it is faster than the online mode. So it can be more convenient to use even when some network is available.

Use of resources external to Canvas Apps

The first specifications of the App involved 7 entities: Events, EventParts, Contacts, Projects, Accounts, Countries, Notes.  Managing all these Entities in Offline mode appeared to be close to impossible due to the lack of functions and structure in the code of the App. Remember that to make it easy, the code kind of look like Excel formulas! It was then decided to remove the Accounts and the Countries from the App, at least in a 1st version. Events and Projects are read-only entities in the App so there are not too hard to handle.

At this point, 3 entities could be modified, and 2 entities were read. Again, it appeared to be extremely complex to handle in the App in Offline mode.      We found a solution to overcome this. Instead of replicating the data model of the Source in Collections of the App, only one collection was used to track all the changes made on the App in Offline mode. When switching to Online mode, this Collection updates or creates records in the Entity EventPart. Then, workflows in Dynamics 365 are launched to dispatch the data contained in the EventPart to Contacts and Notes.

In the Data model, EventPart has a N:1 relationship with Contacts. The relationship had to be in this sense to be able to update the Entity Contact from a Workflow.

In fact, only two collections are used in the App. One Collection stores data about the selected Event and the Porject it is related to (called EventInfoCollection in the next Part). Another Collection stores the data about EventParts, Contacts and Notes (called EventPartsCollection in the next Part).

So, the key to solve the complexity of the App was to consider an EventPart and a related Contact as a single record in the Data model of the App. And to dispatch the data in the right records in Dynamics a using Workflows.  

Design of the App

The Design of the App was elaborated by a Professional Designer at Elca, using Adobe. At that time, we still had many unknowns about the functionalities and limits of Canvas Apps. So it took some time to find a design that could fit well the needs and the constraints.

The interface finally looks great thanks to the help of the professional designer. It adds a lot of value to the Application.

In the end, we found that we had not been really limited by the visual customisation capabilities of Canvas Apps!  

Lessons Learnt - Conclusion

The Canvas App allows to create Business Applications with a low-code platform and a drag & drop interface. It makes the development of Business Applications available to a large audience! It not necessary to have an advanced technical knowledge and to know programming much. They can save a huge amount of time compared to an application coded from scratch. The design of the Canvas App can be customised really well and easily.

However, it is very important to keep in mind that Canvas App can become very hard to develop for applications which involve quite complex processes, or complex features such as an Offline mode. In my opinion, it can even become impossible to develop in certain cases. One of the main reasons for this is that the code lacks structure (for instance it has no functions or classes)

A key to make a Canvas App work in complex use cases can be to use external resources (such as Workflows of Dynamics 365) to move some advanced logic outside of the Canvas App.

So, my point of view about Canvas Apps is that they are great for simple applications. But in quite complex use cases, they should be avoided and a traditional fully coded application should be developed instead.

Profile picture for user Amaury Veron

Add new comment

Restricted html.

  • Allowed HTML tags: <a href hreflang> <em> <strong> <cite> <blockquote cite> <code> <ul type> <ol start type> <li> <dl> <dt> <dd> <h2 id> <h3 id> <h4 id> <h5 id> <h6 id>
  • Lines and paragraphs break automatically.
  • Web page addresses and email addresses turn into links automatically.

Image CAPTCHA

Follow Us !

Copyright dynamics-chronicles.com  © 2020

  • Data Protection
  • Public Sector
  • MSP & Channel
  • Microsoft 365
  • Microsoft Teams
  • SharePoint / Hybrid
  • CEO’s Blog

avepoint blog

A Beginner’s Guide to Microsoft Power Apps

Patrick Guimonet

Editor’s note: This post was updated in January 2023.

Power Apps is, fundamentally, a development platform for mobile and web apps. It allows “citizen developers” to reach capabilities that were once only reserved for high-end development tools by enabling low to no code custom application creation.

What’s more, Power Apps is generally quite easy to learn. You can use it to swiftly take charge of your destiny as long as you make the correct decisions when it comes to structuring. Follow this guide to help avoid any nasty surprises.

Table of Contents

What is the power platform for power apps.

  • How to Build an App with Microsoft Power Apps – Step 1: Select Your Environment – Step 2: Select Your Power Apps Application Type – Step 3: Select Your Storage Type – Step 4: Connect Your App to an Online or On-Premises Data Source

Microsoft Power Platform is comprised many different applications and tools, but the most used currently are Power BI, Power Automate, Power Apps, and Virtual Agent. Microsoft has been increasingly promoting this as a whole. These four services provide tools to manage our digital world where data is king and the basis of any enterprise process. Their applications are as follows:

  • You can display and analyze data with Power BI.
  • You can act and modify data with Power Apps.
  • You can automate data with Power Automate.
  • You can create intelligent virtual bots with Virtual Agent.
  • You can build low-code business websites with Power Pages.

Power Platform Overview 1

How to Build an App with Microsoft Power Apps

The simplest way to build a Power Apps app is to start from the data source. This is part one in a three-part process:

  • For this example, we could start from a Microsoft list, such as one that stores consulting interventions or pending IT tickets:

Creating App from SharePoint List 1

2. Next, we’ll select the “ Create an app ” option in the Power Apps menu:

Creating App from SharePoint List 2

3. This takes us to the Power Apps Studio where we’ll find a fully functional canvas app generated by the system:

Creating App from SharePoint List 3

Keep in mind that these are just the default choices. They hide a much wider set of available options, configurations, and architectural choices that Power Apps provides. Without further ado, let’s take a more in-depth look!

transform-and-optimize-power-platform-webinar-avepoint

Step 1: Select Your Power Apps Environment

There are five tools or environments that you can work within Power Apps, and they each have their own capabilities and roles.

Power Apps Website

Power Apps landing page

Here’s a small snapshot of some of the templates that might give you some usage ideas for the app:

Power Apps Templates

Power Apps Studio

Here you’ll be able to design and adapt apps that you create to your specific business needs! Power Apps Studio is specifically for designing, building, and managing canvas apps (which we’ll touch on in the next section).

Power Apps Studio

Power Apps Mobile   App

This handy mobile app is available on both phones (iOS, Android) and tablets (Windows 10). No matter the platform, the app provides a runtime environment where you’ll be able to execute all of your Power Apps apps. This includes the ones that were shared with you as well as the ones you designed and coded yourself.

Power Apps Mobile App Download QR Codes

Power Platform Admin Center

Administrators can manage Power Apps in the Power Platform admin center at admin.powerplatform.com . Here, you have the power to create and manage environments, view key metrics, apply DLP (Data Loss Prevention) policies, adjust user roles, and submit support tickets, among other capabilities.

Power Apps Admin Center

Microsoft Dataverse for Teams

With Microsoft Dataverse, you can create apps and workflows directly in Microsoft Teams. This fully integrated experience allows app makers to quickly publish, share, and edit apps for anyone on the team to use, without having to switch between multiple services.

Dataverse for Microsoft Teams

Step 2: Select Your Power Apps Application Type

There are a few main types of apps you can create with Power Apps:

  • Canvas apps
  • Model-driven apps
  • Portals (now Power Pages)
  • Cards (in preview)

Canvas apps  enable you to organize freely and easily interface by positioning controls and fields in a “pixel-perfect” user experience. The main focus here is bringing your business knowledge and creativity to the app’s design. Canvas apps target  lightweight apps   or even disposable apps that can be designed and used in minutes, all within Microsoft tools where your data lives.

Canvas apps

Model-driven apps  are built on top of the  Common Data Services used to help rapidly build forms, processes, and business rules. They focus on targeting  heavier apps that are intended to be used intensively (multiple hours at a time). These types of apps must be built in the Power Apps site.

When working with model-driven apps, a good amount of the layout is determined for you and mostly designated by the components you add to the app. By contrast, the designer has complete control over the app layout in canvas app development.

Power App Portals, which are external-facing websites that allow users outside your organization to sign in with a wide variety of identities, create and view data in the Dataverse, or browse content anonymously, recently became Power Pages.

Power Pages

Cards is currently being previewed as an additional way to create apps in Power Apps. These apps, which Microsoft calls “micro-apps,” are extremely lightweight, allowing you to quickly create cards that surface data through Power Platform Connectors, or use your own business logic for customization. I am sure we’ll hear more about this option as Microsoft continues to develop it.

Cards for Power Apps

Step 3: Select Your Storage Type

Power Platform and specifically Power Apps target a world where data is king and the foundation of any business process. Thus, choosing the correct data sources is very impactful when it comes to designing an app.

Data are stored in a data source and you import them in your app by creating a connection.

power993

SharePoint lists and Excel spreadsheets are typically some of the most usual data sources, but there are also more than 200 data connectors available. Power Apps share connectors with Power Automate and Logic apps (the Azure service on top of which Power Automate is built). One of the great strengths of the platform is to provide connectors towards Microsoft world : Microsoft 365 , SQL Server, Azure, etc., as well as towards  external data sources  like Salesforce, Dropbox, and Google Drive.

In Power Apps, a connector can provide data tables, actions, or both. Here’s for example of how a data source to a “Lessons” table can be used in Power Apps:

power995

An action will have to be manually connected to a control to be executed:

power996

Be aware  that the choice of data sources will have an impact on licenses needed to create and execute your app. If you choose or need a Premium source (like Salesforce or Common Data Service), you may need advanced licensing.

Step 4: Connect Your App to an Online or On-Premises Data Source

Power Apps is born in the cloud and can natively connect to cloud data sources. That said, it can connect to on-premises data sources as well. For that to happen you should configure an on-premises data gateway. This gateway is shared between several cloud apps like all the Power Platform (Power BI, Power Automate, Power Apps), Azure Analysis Services, and Azure Logic Apps.

powerapps

At the time of writing, supported data sources by the gateway are:

Here’s hoping these elements will allow you to design better Power Apps for solving your business’ needs.

avepoint-power-platform-solution

  • English Language
  • power platform

Patrick Guimonet

27 COMMENTS

Very precise Info to start powerapps with… thanks

Thanks Joseph! We’re glad we could provide a helpful introduction.

Very good article!

Thank you Marco! If you’re looking for more on Power Apps, here’s our most recent post: https://www.avepoint.com/blog/office-365/power-apps-data-access/

There is also some basic interactive training available in PowerApps. This will guide you through basic things in the PowerApps builder like how to connect to a data source.

Thanks for sharing useful information.

I needed to get an overview of what Power App is all about in preparation of the training I have next week. This has given me more than I needed. I fill like a certified user already.

thank you so much.

Good article! Thanks for sharing the info.

Thanks for Sharing. Very effective article to start with.

Which database does it use

This was really a good read. Thank you for sharing.

We’re glad you enjoyed it! If you’re looking for other PowerApps articles, I’d recommend checking out this one .

I have gone through your article. Really informative and useful for me personally. Please keep posting informative articles like this. Thank you.

Nice content. Keep sharing.

Excellent and informative post. Continue to post.Thank you

Really nice and interesting post.Keep posting.Thanks for sharing.

I truly like reading this article because it is really beneficial to us. It provides useful information

Excellent and informative post. Continue to post. Thank you for revealing.

Wonderful post. I had been looking for this kind of information for quite some time. Thank you for sharing.

Very nice and informative post.

I have gone through your article. Really informative. Thanks for sharing.

Very informative.

Thanks for the information, really helpful.

I really like this article. Thanks for sharing.

Microsoft Power Apps is a powerful low-code, no-code application development platform that enables businesses to create custom web and mobile applications that can streamline workflows, automate processes, and improve productivity. With its ease of use and integration with other Microsoft products, it is a valuable tool.

I must say that Power Apps is truly a revolutionary tool that is democratizing the development of mobile and web apps. It is allowing individuals without a coding background to create custom applications that can transform the way they work and do business. The Power Platform is a comprehensive suite of tools that complement each other and provide a powerful solution for managing data, automating processes, and creating intelligent virtual agents. With this guide, even a beginner can easily navigate the process of building an app with Microsoft Power Apps. This is a game-changer in the world of app development and will certainly drive innovation and productivity in many industries.

LEAVE A REPLY Cancel reply

Save my name, email, and website in this browser for the next time I comment.

More Stories

power app presentation ppt

Collaboration Risks: Why MSPs Must Deliver a Strong Security Solution

data-security-microsoft-365-copilot

Data Security Best Practices for Copilot for Microsoft 365

avepoint-confide-public-preview-secure-external-collaboration

Manage and Secure Modern External Collaboration at Scale with AvePoint Confide

AvePoint logo

  • Partner Network
  • Investor Relations
  • All Products
  • Cloud Products
  • Hybrid Products
  • Operational
  • Information Lifecycle Management
  • Account Portal
  • User Guides
  • Terms & Conditions
  • Trust Center
  • Privacy Policy

© 2024 AvePoint, Inc. All Rights Reserved.

Subscribe to our blog

Receive weekly digests delivered to your inbox.

close

Abonnieren Sie unseren Blog

Erhalten Sie unseren wöchentlichen Newsletter direkt in Ihr Postfach.

Abonnez vous à notre blog

Recevez des newsletters hebdomadaires dans votre boîte de réception.

AvePoint ニュースレターを購読する

AvePoint ブログ更新情報など、便利なお知らせが満載の ニュースレターをメールで配信しています。是非ご購読ください。

每週接收郵件閱讀我們的部落格

SlideTeam

Powerpoint Templates

Icon Bundle

Kpi Dashboard

Professional

Business Plans

Swot Analysis

Gantt Chart

Business Proposal

Marketing Plan

Project Management

Business Case

Business Model

Cyber Security

Business PPT

Digital Marketing

Digital Transformation

Human Resources

Product Management

Artificial Intelligence

Company Profile

Acknowledgement PPT

PPT Presentation

Reports Brochures

One Page Pitch

Interview PPT

All Categories

category-banner

New Mobile App Development Powerpoint Presentation Slides

Select our content ready New Mobile App Development Powerpoint Presentation Slides to focus on enterprise mobile app strategy. The mobile app design PowerPoint complete deck covers professional slides such as product/service overview, key statistics, understand the company’s overall strategy dependencies & competitors, , executive summary, mission vision value, target for the next business quarter, establish a value proposition, strategic objectives to be achieved, understanding competitive landscape, product feature comparison, current customer journey, mobile is a touchpoint and not a platform, elevator pitch idea that will drive mobile strategy , mobile strategy roadmap, resources needed for execution, budget required for implementing strategy, enterprise mobility stack, enterprise mobility stack, define the single product/app strategy, choose the right product strategy, product/service positioning, target audience, key business metrics dashboard, app metrics dashboard, hybrid vs. native application, determine the first platform, in-house application cost, marketing strategy with a flow marketing process, tactics, lead generation activities, lead generation funnel, etc. Download this mobile marketing presentation deck to showcase marketing budget, product management, and implementation plan. Get a balanced feel with our mobile app development proposal ppt . They engender a lot of harmony.

New Mobile App Development Powerpoint Presentation Slides

These PPT Slides are compatible with Google Slides

Compatible With Google Slides

Google Slide

  • Google Slides is a new FREE Presentation software from Google.
  • All our content is 100% compatible with Google Slides.
  • Just download our designs, and upload them to Google Slides and they will work automatically.
  • Amaze your audience with SlideTeam and Google Slides.

Want Changes to This PPT Slide? Check out our Presentation Design Services

Want Changes to This PPT Slide? Check out our Presentation Design Services

 Get Presentation Slides in WideScreen

Get Presentation Slides in WideScreen

Get This In WideScreen

  • WideScreen Aspect ratio is becoming a very popular format. When you download this product, the downloaded ZIP will contain this product in both standard and widescreen format.

power app presentation ppt

  • Some older products that we have may only be in standard format, but they can easily be converted to widescreen.
  • To do this, please open the SlideTeam product in Powerpoint, and go to
  • Design ( On the top bar) -> Page Setup -> and select "On-screen Show (16:9)” in the drop down for "Slides Sized for".
  • The slide or theme will change to widescreen, and all graphics will adjust automatically. You can similarly convert our content to any other desired screen aspect ratio.
  • Add a user to your subscription for free

You must be logged in to download this presentation.

Do you want to remove this product from your favourites?

PowerPoint presentation slides

Presenting this set of slides with name - New Mobile App Development Powerpoint Presentation Slides. We bring to you to the point topic specific slides with apt research and understanding. Putting forth our PPT deck comprises of sixty-three slides. Our tailor-made New Mobile App Development Powerpoint Presentation Slides editable presentation deck assists planners to segment and expounds the topic with brevity. We have created customizable templates keeping your convenience in mind. Edit the color, text, font style at your ease. Add or delete content if needed. Download PowerPoint templates in both widescreen and standard screen. The presentation is fully supported by Google Slides. It can be easily converted into JPG or PDF format.

Flag blue

People who downloaded this PowerPoint presentation also viewed the following :

  • Business Slides , IT , Mobile , Flat Designs , Strategic Planning Analysis , Complete Decks , All Decks , Strategic Management , IT
  • New Mobile App Development ,
  • Mobile Strategy

Content of this Powerpoint Presentation

“The mobile revolution is not about technology. It’s about the way we live our lives.” —Gary Vaynerchuk.

This quote by marketing guru Gary Vaynerchuk encapsulates the transformative power of mobile apps. They've become woven into the fabric of our daily lives, from ordering takeout to managing finances. But with millions of apps vying for attention, how do you make yours stand out?

Remember Flappy Bird? A viral sensation for a hot minute, then gone faster than you could blink. The mobile app market is littered with these one-hit wonders. But what separates fleeting fads from enduring titans like WeChat and Uber?  

The reality can be a bit shocking, especially for those involved in app development. Industry research shows that a staggering 25%  of mobile apps are downloaded and used only once. This statistic makes any app developer want to crawl under the covers.

Understand how to create the most-persuasive mobile app pitch deck with a click here. 

But with proper management and regular interaction, you can craft a powerful mobile app that the audience will love. And that's where our New Mobile App Development PowerPoint Presentation Slides come into play.  

Get best-in-class mobile apps screen design templates with a click here.  

Forget generic templates filled with clip art. This template covers everything from crafting a compelling elevator pitch to nailing down your marketing strategy. In short, this template can help you easily manage your mobile app development project. 

Template 1: Establish a Value Proposition 

power app presentation ppt

This PPT Template dissects the core aspects that make a mobile app invaluable to users. It breaks down the user's 'Wants,' 'Needs,' and 'Fears' while considering the 'Substitutes' they might resort to. This helps the leadership and the team understand market position and consumer behavior. This template also focuses on 'Benefits,' 'Features,' and 'Experience,'. The aim is to offer a holistic view of what the app offers and its operational mechanics. Such a comprehensive analysis is pivotal in pinpointing what makes your app the preferred choice, enhancing its longevity in a saturated market.

Template 2: Understanding Competitive Landscape

power app presentation ppt

This slide is a comparative analysis framework that maps out your mobile app's features against the competition. The multiple quadrant helps you identify and evaluate what your app does that competitors don't, where you have the edge, where you're on a par with them, and where competitors might outperform you. Such a detailed reality check can help you determine your market positioning, and highlight areas for improvement and potential innovation. Developers can gain insights into advantages and potential gaps. Overall, this template can offer a pathway for product development and refinement tailored to what truly matters to buyers.

Template 3: Mobile is a Touchpoint and Not a Platform

power app presentation ppt

This template highlights the essential differences between Multi-Channel and OMNI-Channel interactions and how mobile is not a platform. The template clarifies that while multi-channel may involve platforms — from ATMs to mobile devices — these often operate in isolation. In contrast, the OMNI-Channel strategy is about creating a cohesive customer experience. 

Template 4: Mobile Strategy Roadmap

power app presentation ppt

Use this PPT Template to provide a visual timeline for app development teams. The Gantt-chart-style roadmap categorizes tasks across teams—A through D—and aligns them with specific dates for a clear timeline of deliverables. The bars represent the progress and duration of each task, such as "Appliance Library Portal Updates" or "Android update." The best part? Key development areas are color-coded for reference and indicate focus like Product, Operations, Web Development, Infrastructure, and Finance. This enhances cross-functional visibility and coordination. In short, this slide enables viewers to grasp the project's scope, deadlines, and resource allocation at a glance.

Template 5: Budget Required for Implementing Strategy

power app presentation ppt

Budget is a key factor in strategic planning for effective app development. This slide offers a breakdown of financial planning in app development. The slide consists of a tabular layout and details tasks, projected hours, costs per hour, and total estimates. Such a granular management of budget allocation across various stages of the development process ensures the project never shoots over budget. The 'Notes' section on the right offers space for custom annotations. Overall, this slide helps ensure transparency in cost management, which is critical for stakeholders as they monitor financials and adjust strategies.

Template 6: Product/Service Positioning

power app presentation ppt

This slide can help define and communicate the place that your mobile app holds in the market. This slide provides a structured approach to outline key elements such as the app's description, market category, and primary differentiators. It focuses on the evaluation of the target segment and competitive alternatives. This ensures a deep understanding of where the product stands. On the top, this slide highlights the app's key benefits and underscores the main value proposition to the customer. This slide is crucial for strategizing how to position your product distinctively for your target customers.

Template 7: Determine The First Platform You Want to Build The App on – IOS or Android 

power app presentation ppt

This template presents a comparative analysis of critical factors affecting the choice between the two leading platforms as this template features side-by-side bar graphs that compare aspects such as user base, development cost, ease of learning, development environment, documentation and support, app discovery, revenue potential, and lead platforms. Such a format helps developers weigh the pros and cons of each platform in context with their project's goals and target audience. In short, this template ensures an informed decision-making process to initiate app development to maximize reach and return on investment.

Template 8: Marketing Strategy

power app presentation ppt

This PPT Template highlights the stages of customer interaction in the app development space. The slide is segmented into four key components: Awareness, Engagement, Consideration, and Loyalty. Each segment is paired with an icon that encapsulates its essence. 'Awareness' focuses on how the company's presence is established on mobile channels. 'Engagement' explains the strategies for capturing user attention. 'Consideration' addresses how mobile tools provide information about products and services and guide users through decision-making. Finally, 'Loyalty' looks at how the company fosters repeat engagement to build a loyal customer base.

Template 9: Launch Planning: Key Steps and Tools

power app presentation ppt

This slide can act as a practical guide for organizing the go-to-market strategy for mobile apps. It details steps like Product Positioning Analysis, Volume Protection Analysis, Distribution Analysis, and Budget Analysis. For example, the product positioning analysis defines the app's niche, which is supported by tools like a product placement worksheet. This slide could be a great tool for app developers and marketers. It provides a structured approach to each phase of the launch and ensures that your strategic objectives align with operational execution.

Template 10: Lead Generation Funnel

power app presentation ppt

This slide represents the journey from initial customer awareness to the acquisition of high-quality leads. The funnel shape shows the narrowing process as potential customers are guided through various stages: from 'Traffic' awareness, capturing interest at the 'Lead capture Page,' nurturing relationships through the 'Lead Nurturing Process', providing 'Value Adding Content,' and finally, securing 'High-Quality Leads.' This slide equips marketers with a clear structure for developing their lead generation strategy and emphasizes the progressive steps necessary to transform general interest into a solid customer base. The icons add a visual cue, making the funnel informative and intuitive.

Make Apps That Matter!

We live in a time when hundreds of mobile apps come and go every day. If you want to make an app that can stand out in such a saturated market, you need a deep understanding of consumer behavior, strategic differentiation, and a commitment to delivering value at every touchpoint. And that’s exactly what this template can achieve for you. It covers aspects of mobile app development and ensures your app turns out to be amazing.

PS Having a mobile app project development dashboard helps improve your progress and resolves risks and issues faster. Find this template and others of its click here .

New Mobile App Development Powerpoint Presentation Slides with all 63 slides:

Use our New Mobile App Development Powerpoint Presentation Slides to effectively help you save your valuable time. They are readymade to fit into any presentation structure.

New Mobile App Development Powerpoint Presentation Slides

Ratings and Reviews

by Clement Patel

December 27, 2021

by Colin Barnes

Google Reviews

Top searches

Trending searches

power app presentation ppt

68 templates

power app presentation ppt

33 templates

power app presentation ppt

36 templates

power app presentation ppt

34 templates

power app presentation ppt

9 templates

power app presentation ppt

35 templates

Create your presentation

Writing tone, number of slides.

power app presentation ppt

AI presentation maker

When lack of inspiration or time constraints are something you’re worried about, it’s a good idea to seek help. Slidesgo comes to the rescue with its latest functionality—the AI presentation maker! With a few clicks, you’ll have wonderful slideshows that suit your own needs . And it’s totally free!

power app presentation ppt

Generate presentations in minutes

We humans make the world move, but we need to sleep, rest and so on. What if there were someone available 24/7 for you? It’s time to get out of your comfort zone and ask the AI presentation maker to give you a hand. The possibilities are endless : you choose the topic, the tone and the style, and the AI will do the rest. Now we’re talking!

Customize your AI-generated presentation online

Alright, your robotic pal has generated a presentation for you. But, for the time being, AIs can’t read minds, so it’s likely that you’ll want to modify the slides. Please do! We didn’t forget about those time constraints you’re facing, so thanks to the editing tools provided by one of our sister projects —shoutouts to Wepik — you can make changes on the fly without resorting to other programs or software. Add text, choose your own colors, rearrange elements, it’s up to you! Oh, and since we are a big family, you’ll be able to access many resources from big names, that is, Freepik and Flaticon . That means having a lot of images and icons at your disposal!

power app presentation ppt

How does it work?

Think of your topic.

First things first, you’ll be talking about something in particular, right? A business meeting, a new medical breakthrough, the weather, your favorite songs, a basketball game, a pink elephant you saw last Sunday—you name it. Just type it out and let the AI know what the topic is.

Choose your preferred style and tone

They say that variety is the spice of life. That’s why we let you choose between different design styles, including doodle, simple, abstract, geometric, and elegant . What about the tone? Several of them: fun, creative, casual, professional, and formal. Each one will give you something unique, so which way of impressing your audience will it be this time? Mix and match!

Make any desired changes

You’ve got freshly generated slides. Oh, you wish they were in a different color? That text box would look better if it were placed on the right side? Run the online editor and use the tools to have the slides exactly your way.

Download the final result for free

Yes, just as envisioned those slides deserve to be on your storage device at once! You can export the presentation in .pdf format and download it for free . Can’t wait to show it to your best friend because you think they will love it? Generate a shareable link!

What is an AI-generated presentation?

It’s exactly “what it says on the cover”. AIs, or artificial intelligences, are in constant evolution, and they are now able to generate presentations in a short time, based on inputs from the user. This technology allows you to get a satisfactory presentation much faster by doing a big chunk of the work.

Can I customize the presentation generated by the AI?

Of course! That’s the point! Slidesgo is all for customization since day one, so you’ll be able to make any changes to presentations generated by the AI. We humans are irreplaceable, after all! Thanks to the online editor, you can do whatever modifications you may need, without having to install any software. Colors, text, images, icons, placement, the final decision concerning all of the elements is up to you.

Can I add my own images?

Absolutely. That’s a basic function, and we made sure to have it available. Would it make sense to have a portfolio template generated by an AI without a single picture of your own work? In any case, we also offer the possibility of asking the AI to generate images for you via prompts. Additionally, you can also check out the integrated gallery of images from Freepik and use them. If making an impression is your goal, you’ll have an easy time!

Is this new functionality free? As in “free of charge”? Do you mean it?

Yes, it is, and we mean it. We even asked our buddies at Wepik, who are the ones hosting this AI presentation maker, and they told us “yup, it’s on the house”.

Are there more presentation designs available?

From time to time, we’ll be adding more designs. The cool thing is that you’ll have at your disposal a lot of content from Freepik and Flaticon when using the AI presentation maker. Oh, and just as a reminder, if you feel like you want to do things yourself and don’t want to rely on an AI, you’re on Slidesgo, the leading website when it comes to presentation templates. We have thousands of them, and counting!.

How can I download my presentation?

The easiest way is to click on “Download” to get your presentation in .pdf format. But there are other options! You can click on “Present” to enter the presenter view and start presenting right away! There’s also the “Share” option, which gives you a shareable link. This way, any friend, relative, colleague—anyone, really—will be able to access your presentation in a moment.

Discover more content

This is just the beginning! Slidesgo has thousands of customizable templates for Google Slides and PowerPoint. Our designers have created them with much care and love, and the variety of topics, themes and styles is, how to put it, immense! We also have a blog, in which we post articles for those who want to find inspiration or need to learn a bit more about Google Slides or PowerPoint. Do you have kids? We’ve got a section dedicated to printable coloring pages! Have a look around and make the most of our site!

slides icon

Cloud Storage

gmail icon

Custom Business Email

Meet icon

Video and voice conferencing

calendar icon

Shared Calendars

docs icon

Word Processing

sheets icon

Spreadsheets

Presentation Builder

forms icon

Survey builder

google workspace

Google Workspace

An integrated suit of secure, cloud-native collaboration and productivity apps powered by Google AI.

Tell impactful stories, with Google Slides

Create, present, and collaborate on online presentations in real-time and from any device.

  • For my personal use
  • For work or my business

icon for add comment button

Jeffery Clark

T h i s   c h a r t   h e l p s   b r i d g i n g   t h e   s t o r y !

comment box buttons

E s t i m a t e d   b u d g e t

Cursor

Make beautiful presentations, together

Stay in sync in your slides, with easy sharing and real-time editing. Use comments and assign action items to build your ideas together.

Slides create presentations

Present slideshows with confidence

With easy-to-use presenter view, speaker notes, and live captions, Slides makes presenting your ideas a breeze. You can even present to Google Meet video calls directly from Slides.

Slides present with confidence

Seamlessly connect to your other Google apps

Slides is thoughtfully connected to other Google apps you love, saving you time. Embed charts from Google Sheets or reply to comments directly from Gmail. You can even search the web and Google Drive for relevant content and images directly from Slides.

Slides connect to Google apps

Extend collaboration and intelligence to PowerPoint files

Easily edit Microsoft PowerPoint presentations online without converting them, and layer on Slides’ enhanced collaborative and assistive features like comments, action items, and Smart Compose.

Slides connect to Google apps

Work on fresh content

With Slides, everyone’s working on the latest version of a presentation. And with edits automatically saved in version history, it’s easy to track or undo changes.

Design slides faster, with built-in intelligence

Make slides faster, with built-in intelligence

Assistive features like Smart Compose and autocorrect help you build slides faster with fewer errors.

Stay productive, even offline

Stay productive, even offline

You can access, create, and edit Slides even without an internet connection, helping you stay productive from anywhere.

Security, compliance, and privacy

badge ISO IEC

Secure by default

We use industry-leading security measures to keep your data safe, including advanced malware protections. Slides is also cloud-native, eliminating the need for local files and minimizing risk to your devices.

Encryption in transit and at rest

All files uploaded to Google Drive or created in Slides are encrypted in transit and at rest.

Compliance to support regulatory requirements

Our products, including Slides, regularly undergo independent verification of their security, privacy, and compliance controls .

Private by design

Slides adheres to the same robust privacy commitments and data protections as the rest of Google Cloud’s enterprise services .

privacy icon

You control your data.

We never use your slides content for ad purposes., we never sell your personal information to third parties., find the plan that’s right for you, google slides is a part of google workspace.

Every plan includes

keep icon

Collaborate from anywhere, on any device

Access, create, and edit your presentations wherever you are — from any mobile device, tablet, or computer — even when offline.

Google Play store

Get a head start with templates

Choose from a variety of presentations, reports, and other professionally-designed templates to kick things off quickly..

Slides Template Proposal

Photo Album

Slides Template Photo album

Book Report

Slides Template Book report

Visit the Slides Template Gallery for more.

Ready to get started?

PowerPoint: How to Add Audio to Powerpoint on Windows 10 and Mac

Last Updated Thursday, August 31, 2023, at 5:00 am

Known Issue (August 14, 2023): 

Some Windows 11 users are experiencing issues with PowerPoint exports when they are turned into .mp4 files. Visuals within the exported PowerPoint are appearing as flipped, or upside down. We are working with Microsoft to find a solution. 

As a workaround, please convert the file as a .WMV file option and save it in My Media.  The following are directions on how to convert a PowerPoint Presentation with audio to a .WMV file . For more support or to help troubleshoot issues, please reach out to the LTS Help Desk at [email protected]

Microsoft PowerPoint offers features to record audio narration and export it as a video. PowerPoint records audio slide-by-slide rather than in one continuous file, allowing creators to easily re-record a slide if they make a mistake or need to change something later. Exporting as a video and uploading to Kaltura or Canvas for streaming is advantageous since it standardizes file types, doesn't require a download to view, is in a format that can be captioned, and allows viewers to navigate more efficiently. 

A recent update has made the process comparable on a Mac, but the specifics vary. Windows 10 instructions follow; Mac users can click the link below to jump to the appropriate instructions.

  • Instructions for Mac users

Windows 10 Instructions:

The following instructions explain how to add audio to your PowerPoint presentation on Windows 10 and export that PowerPoint as an MP4. The text instructions cover the same information as the embedded video below.

NOTE: If you have an older version of PowerPoint, you may need to update it to access the features described below. If you do not have PowerPoint, you can download it and other Microsoft Office products for free by going to office365.uwec.edu. If you have questions about updating or installing PowerPoint, contact the LTS Help Desk at [email protected] or 715-836-5711. 

  • Design your PowerPoint TIP: Use images and limit text to better engage viewers/listeners.  

Click slideshow tab and record slideshow to record audio narration.

  • Click Record Slide Show NOTE:  Audio may start recording automatically if you have an older version of PowerPoint. It will still work, but this version offers reduced functionality. 

Click slideshow tab and either record from current slide or record from the beginning

  • Record narration and avoid reading text on the slide out loud to viewers. Click the blue Replay button to listen to the recorded audio and ensure it was recording. 

Advance Narration on PC

  • Press [Escape] or the ‘X’ button located in the top right of the screen when the audio recordings are finished. You will see a speaker icon on slides that have audio.

Click File

  • Select Export  (steps 10-14 are shown in screenshot below).
  • Select Create a Video .  
  • Optional: Select Full HD (1080p) for the video quality; it is unlikely a higher quality is needed.  
  • Select Use Recorded Timings and Narrations.  

Create a video

  • Follow prompt/pop-up window to save the video in a memorable location. 

Exporting message example: Creating video for ppt video Recording Yourself.mp4

  • How to upload and share with Kaltura (Instructors should use Kaltura. Students will need to use it if the file is over 500 MB, which a PowerPoint probably won't be and they can use Canvas.)
  • How to upload and share in a Canvas assignment (students)
  • How to upload and share in a Canvas discussion (students) - the instructions refer to the "rich content editor" which is just the features in the top of the discussion post reply. 

Elaboration on the Recording Features:

  • Timing Feature – there is a rolling time feature for the individual slide and the overall presentation. Allows the speaker/presenter to monitor how long they are talking.
  • Microphone Feature - Click on Settings  and select Microphone  and then the specific device to set up before recording.
  • Replay Feature - Use to check that the audio is recording properly before starting additional slides.
  • Clear Feature - Select Clear  to delete/re-record audio.
  • Don’t set the camera to record - Make sure this button has a diagonal slash through it to avoid the problem.

Slide Settings

Mac Instructions:

The following instructions will teach you how to add audio to your PowerPoint presentation on a Mac and export that PowerPoint as an MP4. The text instructions cover the same information as the video embedded below.

NOTE: It is essential to have the Office 365 version of PowerPoint or you will not be able to save your PowerPoint as a video. If necessary, you can download it and other Microsoft Office products for free by going to office365.uwec.edu. If you have questions about updating or installing PowerPoint, contact the LTS Help Desk at [email protected] or 715-836-5711. 

  • TIP: Use images and limit text to better engage viewers/listeners.  

To record your narration, select Slide Show tab and Record Slide Show

  • Click Record Slide  Show
  • TIP: Before you begin recording your full presentation, do a practice recording to verify your microphone and other settings are correct.

Recording button in PowerPoint on Mac

  • NOTE: Avoid reading the text written directly on the slide; use the slide to elaborate on the material being presented.
  •  Stop speaking for a second to prevent the audio from cutting out as slides change. Resume speaking when the time starts moving again under the Current slide timing feature to the left of the recording button.
  • Click Stop or Pause  at the top of the screen and then End Show  in the top left corner   when all the audio recordings have been finished.
  • Check the audio by clicking on Play from Start  under the Slide Show tab or the presenter mode icon at the bottom of the screen.

Click record slideshow, clear, and clear timing on current slide.

  • Edit the name of the file and where you would like to save the video following PowerPoint's prompts.  

Selecting MP4 File Format when exporting the video

  • Click Export 

Exporting message example: Creating video for ppt video Recording Yourself.mp4

  • Upload your mp4 video to Kaltura or Canvas to share it:
  • How to upload and share to My Media (Instructors should use My Media. Students will need to use it if the file is over 500 MB, which a PowerPoint probably won't be and they can use Canvas.)
  • How to upload and share in a Canvas discussion (students) - the instructions refer to the "rich content editor" which is the tool at the top of the discussion post reply.

Additional Video Tool Options

For more information about recording options available, click here to view a comparison of each tool's features.

  • Power Apps Community
  • Welcome to the Community!
  • News & Announcements
  • Get Help with Power Apps
  • Building Power Apps
  • Microsoft Dataverse
  • Power Apps Governance and Administering
  • Power Apps Pro Dev & ISV
  • Connector Development
  • Power Query
  • GCC, GCCH, DoD - Federal App Makers (FAM)
  • Power Platform Integration - Better Together!
  • Power Platform Integrations
  • Power Platform and Dynamics 365 Integrations
  • Community Blog
  • Power Apps Community Blog
  • Community Connections & How-To Videos
  • Copilot Cookbook
  • Community App Samples
  • Webinars and Video Gallery
  • Canvas Apps Components Samples
  • Emergency Response Gallery
  • 2021 MSBizAppsSummit Gallery
  • 2020 MSBizAppsSummit Gallery
  • 2019 MSBizAppsSummit Gallery
  • Community Engagement
  • Community Calls Conversations
  • Hack Together: Power Platform AI Global Hack
  • Experimental
  • Error Handling
  • Power Apps Experimental Features
  • Community Support
  • Community Accounts & Registration
  • Using the Community
  • Community Feedback

Embed Power Point slide

  • Subscribe to RSS Feed
  • Mark Topic as New
  • Mark Topic as Read
  • Float this Topic for Current User
  • Printer Friendly Page
  • All forum topics
  • Previous Topic

devendraVelegan

  • Mark as New
  • Report Inappropriate Content

Solved! Go to Solution.

  • Creating Apps
  • General Questions

v-xiaochen-msft

View solution in original post

rsaikrishna

Helpful resources

Tuesday Tip: Subscriptions & Notifications

Tuesday Tip: Subscriptions & Notifications

TUESDAY TIPS are our way of communicating helpful things we've learned or shared that have helped members of the Community. Whether you're just getting started or you're a seasoned pro, Tuesday Tips will help you know where to go, what to look for, and navigate your way through the ever-growing--and ever-changing--world of the Power Platform Community! We cover basics about the Community, provide a few "insider tips" to make your experience even better, and share best practices gleaned from our most active community members and Super Users.   With so many new Community members joining us each week, we'll also review a few of our "best practices" so you know just "how" the Community works, so make sure to watch the News & Announcements each week for the latest and greatest Tuesday Tips!   This Week: All About Subscriptions & Notifications We don't want you to a miss a thing in the Community! The best way to make sure you know what's going on in the News & Announcements, to blogs you follow, or forums and galleries you're interested in is to subscribe! These subscriptions ensure you receive automated messages about the most recent posts and replies. Even better, there are multiple ways you can subscribe to content and boards in the community! (Please note: if you have created an AAD (Azure Active Directory) account you won't be able to receive e-mail notifications.)   Subscribing to a Category  When you're looking at the entire category, select from the Options drop down and choose Subscribe.     You can then choose to Subscribe to all of the boards or select only the boards you want to receive notifications. When you're satisfied with your choices, click Save.   Subscribing to a Topic You can also subscribe to a single topic by clicking Subscribe from the Options drop down menu, while you are viewing the topic or in the General board overview, respectively.     Subscribing to a Label Find the labels at the bottom left of a post.From a particular post with a label, click on the label to filter by that label. This opens a window containing a list of posts with the label you have selected. Click Subscribe.           Note: You can only subscribe to a label at the board level. If you subscribe to a label named 'Copilot' at board #1, it will not automatically subscribe you to an identically named label at board #2. You will have to subscribe twice, once at each board.   Bookmarks Just like you can subscribe to topics and categories, you can also bookmark topics and boards from the same menus! Simply go to the Topic Options drop down menu to bookmark a topic or the Options drop down to bookmark a board. The difference between subscribing and bookmarking is that subscriptions provide you with notifications, whereas bookmarks provide you a static way of easily accessing your favorite boards from the My subscriptions area.   Managing & Viewing Your Subscriptions & Bookmarks To manage your subscriptions, click on your avatar and select My subscriptions from the drop-down menu.     From the Subscriptions & Notifications tab, you can manage your subscriptions, including your e-mail subscription options, your bookmarks, your notification settings, and your email notification format.     You can see a list of all your subscriptions and bookmarks and choose which ones to delete, either individually or in bulk, by checking multiple boxes.     A Note on Following Friends on Mobile Adding someone as a friend or selecting Follow in the mobile view does not allow you to subscribe to their activity feed. You will merely be able to see your friends’ biography, other personal information, or online status, and send messages more quickly by choosing who to send the message to from a list, as opposed to having to search by username.

Monthly Community User Group Update | April 2024

Monthly Community User Group Update | April 2024

The monthly Community User Group Update is your resource for discovering User Group meetings and events happening around the world (and virtually), welcoming new User Groups to our Community, and more! Our amazing Community User Groups are an important part of the Power Platform Community, with more than 700 Community User Groups worldwide, we know they're a great way to engage personally, while giving our members a place to learn and grow together.   This month, we welcome 3 new User Groups in India, Wales, and Germany, and feature 8 User Group Events across Power Platform and Dynamics 365. Find out more below. New Power Platform User Groups   Power Platform Innovators (India) About: Our aim is to foster a collaborative environment where we can share upcoming Power Platform events, best practices, and valuable content related to Power Platform. Whether you’re a seasoned expert or a newcomer looking to learn, this group is for you. Let’s empower each other to achieve more with Power Platform. Join us in shaping the future of digital transformation!   Power Platform User Group (Wales) About: A Power Platform User Group in Wales (predominantly based in Cardiff but will look to hold sessions around Wales) to establish a community to share learnings and experience in all parts of the platform.   Power Platform User Group (Hannover) About: This group is for anyone who works with the services of Microsoft Power Platform or wants to learn more about it and no-code/low-code. And, of course, Microsoft Copilot application in the Power Platform.   New Dynamics365 User Groups   Ellucian CRM Recruit UK (United Kingdom) About: A group for United Kingdom universities using Ellucian CRM Recruit to manage their admissions process, to share good practice and resolve issues.    Business Central Mexico (Mexico City) About:  A place to find documentation, learning resources, and events focused on user needs in Mexico. We meet to discuss and answer questions about the current features in the standard localization that Microsoft provides, and what you only find in third-party locations. In addition, we focus on what's planned for new standard versions, recent legislation requirements, and more. Let's work together to drive request votes for Microsoft for features that aren't currently found—but are indispensable.   Dynamics 365 F&O User Group (Dublin) About: The Dynamics 365 F&O User Group - Ireland Chapter meets up in person at least twice yearly in One Microsoft Place Dublin for users to have the opportunity to have conversations on mutual topics, find out what’s new and on the Dynamics 365 FinOps Product Roadmap, get insights from customer and partner experiences, and access to Microsoft subject matter expertise.  Upcoming Power Platform Events    PAK Time (Power Apps Kwentuhan) 2024 #6 (Phillipines, Online) This is a continuation session of Custom API. Sir Jun Miano will be sharing firsthand experience on setting up custom API and best practices. (April 6, 2024)       Power Apps: Creating business applications rapidly (Sydney) At this event, learn how to choose the right app on Power Platform, creating a business application in an hour, and tips for using Copilot AI. While we recommend attending all 6 events in the series, each session is independent of one another, and you can join the topics of your interest. Think of it as a “Hop On, Hop Off” bus! Participation is free, but you need a personal computer (laptop) and we provide the rest. We look forward to seeing you there! (April 11, 2024)     April 2024 Cleveland Power Platform User Group (Independence, Ohio) Kickoff the meeting with networking, and then our speaker will share how to create responsive and intuitive Canvas Apps using features like Variables, Search and Filtering. And how PowerFx rich functions and expressions makes configuring those functionalities easier. Bring ideas to discuss and engage with other community members! (April 16, 2024)     Dynamics 365 and Power Platform 2024 Wave 1 Release (NYC, Online) This session features Aric Levin, Microsoft Business Applications MVP and Technical Architect at Avanade and Mihir Shah, Global CoC Leader of Microsoft Managed Services at IBM. We will cover some of the new features and enhancements related to the Power Platform, Dataverse, Maker Portal, Unified Interface and the Microsoft First Party Apps (Microsoft Dynamics 365) that were announced in the Microsoft Dynamics 365 and Power Platform 2024 Release Wave 1 Plan. (April 17, 2024)     Let’s Explore Copilot Studio Series: Bot Skills to Extend Your Copilots (Makati National Capital Reg... Join us for the second installment of our Let's Explore Copilot Studio Series, focusing on Bot Skills. Learn how to enhance your copilot's abilities to automate tasks within specific topics, from booking appointments to sending emails and managing tasks. Discover the power of Skills in expanding conversational capabilities. (April 30, 2024)   Upcoming Dynamics365 Events    Leveraging Customer Managed Keys (CMK) in Dynamics 365 (Noida, Uttar Pradesh, Online) This month's featured topic: Leveraging Customer Managed Keys (CMK) in Dynamics 365, with special guest Nitin Jain from Microsoft. We are excited and thankful to him for doing this session. Join us for this online session, which should be helpful to all Dynamics 365 developers, Technical Architects and Enterprise architects who are implementing Dynamics 365 and want to have more control on the security of their data over Microsoft Managed Keys. (April 11, 2024)     Stockholm D365 User Group April Meeting (Stockholm) This is a Swedish user group for D365 Finance and Operations, AX2012, CRM, CE, Project Operations, and Power BI.  (April 17, 2024)         Transportation Management in D365 F&SCM Q&A Session (Toronto, Online) Calling all Toronto UG members and beyond! Join us for an engaging and informative one-hour Q&A session, exclusively focused on Transportation Management System (TMS) within Dynamics 365 F&SCM. Whether you’re a seasoned professional or just curious about TMS, this event is for you. Bring your questions! (April 26, 2024)   Leaders, Create Your Events!    Leaders of existing User Groups, don’t forget to create your events within the Community platform. By doing so, you’ll enable us to share them in future posts and newsletters. Let’s spread the word and make these gatherings even more impactful! Stay tuned for more updates, inspiring stories, and collaborative opportunities from and for our Community User Groups.   P.S. Have an event or success story to share? Reach out to us – we’d love to feature you. Just leave a comment or send a PM here in the Community!

Exclusive LIVE Community Event: Power Apps Copilot Coffee Chat with Copilot Studio Product Team

Exclusive LIVE Community Event: Power Apps Copilot Coffee Chat with Copilot Studio Product Team

We have closed kudos on this post at this time. Thank you to everyone who kudo'ed their RSVP--your invitations are coming soon!  Miss the window to RSVP? Don't worry--you can catch the recording of the meeting this week in the Community.  Details coming soon!   *****   It's time for the SECOND Power Apps Copilot Coffee Chat featuring the Copilot Studio product team, which will be held LIVE on April 3, 2024 at 9:30 AM Pacific Daylight Time (PDT).     This is an incredible opportunity to connect with members of the Copilot Studio product team and ask them anything about Copilot Studio. We'll share our special guests with you shortly--but we want to encourage to mark your calendars now because you will not want to miss the conversation.   This live event will give you the unique opportunity to learn more about Copilot Studio plans, where we’ll focus, and get insight into upcoming features. We’re looking forward to hearing from the community, so bring your questions!   TO GET ACCESS TO THIS EXCLUSIVE AMA: Kudo this post to reserve your spot! Reserve your spot now by kudoing this post.  Reservations will be prioritized on when your kudo for the post comes through, so don't wait! Click that "kudo button" today.   Invitations will be sent on April 2nd.Users posting Kudos after April 2nd. at 9AM PDT may not receive an invitation but will be able to view the session online after conclusion of the event. Give your "kudo" today and mark your calendars for April 3rd, 2024 at 9:30 AM PDT and join us for an engaging and informative session!

Tuesday Tip: Blogging in the Community is a Great Way to Start

Tuesday Tip: Blogging in the Community is a Great Way to Start

TUESDAY TIPS are our way of communicating helpful things we've learned or shared that have helped members of the Community. Whether you're just getting started or you're a seasoned pro, Tuesday Tips will help you know where to go, what to look for, and navigate your way through the ever-growing--and ever-changing--world of the Power Platform Community! We cover basics about the Community, provide a few "insider tips" to make your experience even better, and share best practices gleaned from our most active community members and Super Users.   With so many new Community members joining us each week, we'll also review a few of our "best practices" so you know just "how" the Community works, so make sure to watch the News & Announcements each week for the latest and greatest Tuesday Tips!   This Week's Topic: Blogging in the Community Are you new to our Communities and feel like you may know a few things to share, but you're not quite ready to start answering questions in the forums? A great place to start is the Community blog! Whether you've been using Power Platform for awhile, or you're new to the low-code revolution, the Community blog is a place for anyone who can write, has some great insight to share, and is willing to commit to posting regularly! In other words, we want YOU to join the Community blog.    Why should you consider becoming a blog author? Here are just a few great reasons. 🎉   Learn from Each Other: Our community is like a bustling marketplace of ideas. By sharing your experiences and insights, you contribute to a dynamic ecosystem where makers learn from one another. Your unique perspective matters! Collaborate and Innovate: Imagine a virtual brainstorming session where minds collide, ideas spark, and solutions emerge. That’s what our community blog offers—a platform for collaboration and innovation. Together, we can build something extraordinary. Showcase the Power of Low-Code: You know that feeling when you discover a hidden gem? By writing about your experience with your favorite Power Platform tool, you’re shining a spotlight on its capabilities and real-world applications. It’s like saying, “Hey world, check out this amazing tool!” Earn Trust and Credibility: When you share valuable information, you become a trusted resource. Your fellow community members rely on your tips, tricks, and know-how. It’s like being the go-to friend who always has the best recommendations. Empower Others: By contributing to our community blog, you empower others to level up their skills. Whether it’s a nifty workaround, a time-saving hack, or an aha moment, your words have impact. So grab your keyboard, brew your favorite beverage, and start writing! Your insights matter and your voice counts! With every blog shared in the Community, we all do a better job of tackling complex challenges with gusto. 🚀   Welcome aboard, future blog author! ✍️✏️🌠 Get started blogging across the Power Platform Communities today! Just follow one of the links below to begin your blogging adventure.   Power Apps: https://powerusers.microsoft.com/t5/Power-Apps-Community-Blog/bg-p/PowerAppsBlog Power Automate: https://powerusers.microsoft.com/t5/Power-Automate-Community-Blog/bg-p/MPABlog Copilot Studio: https://powerusers.microsoft.com/t5/Copilot-Studio-Community-Blog/bg-p/PVACommunityBlog Power Pages: https://powerusers.microsoft.com/t5/Power-Pages-Community-Blog/bg-p/mpp_blog   When you follow the link, look for the Message Admins button like this on the page's right rail, and let us know you're interested. We can't wait to connect with you and help you get started. Thanks for being part of our incredible community--and thanks for becoming part of the community blog!

Launch Event Registration: Redefine What's Possible Using AI

Launch Event Registration: Redefine What's Possible Using AI

Join Microsoft product leaders and engineers for an in-depth look at the latest features in Microsoft Dynamics 365 and Microsoft Power Platform. Learn how advances in AI and Microsoft Copilot can help you connect teams, processes, and data, and respond to changing business needs with greater agility. We’ll share insights and demonstrate how 2024 release wave 1 updates and advancements will help you:   Streamline business processes, automate repetitive tasks, and unlock creativity using the power of Copilot and role-specific insights and actions. Unify customer data to optimize customer journeys with generative AI and foster collaboration between sales and marketing teams. Strengthen governance with upgraded tools and features. Accelerate low-code development  using natural language and streamlined tools. Plus, you can get answers to your questions during our live Q&A chat! Don't wait--register today by clicking the image below!  

March 2024 Newsletter

March 2024 Newsletter

Welcome to our March Newsletter, where we highlight the latest news, product releases, upcoming events, and the amazing work of our outstanding Community members. If you're new to the Community, please make sure to subscribe to News & Announcements in your community and check out the Community on LinkedIn as well! It's the best way to stay up-to-date with all the news from across Microsoft Power Platform and beyond.    COMMUNITY HIGHLIGHTS Check out the most active community members of the last month! These hardworking members are posting regularly, answering questions, kudos, and providing top solutions in their communities. We are so thankful for each of you--keep up the great work! If you hope to see your name here next month, follow these awesome community members to see what they do!   Power AppsPower AutomateCopilot StudioPower PagesWarrenBelzAgniusMattJimisonragavanrajanLaurensMfernandosilvafernandosilvaLucas001Rajkumar_404wskinnermctccpaytonHaressh2728timlNived_NambiarcapuanodaniloMariamPaulachanJmanriqueriosUshaJyothi20inzil2kvip01PstorkVictorIvanidzejsrandhawarenatoromaodpoggemannmichael0808deeksha15795prufachEddieEgrantjenkinsExpiscornovusdeeksha15795SpongYeRhiassuringdeeksha15795apangelesM_Ali_SZ365ManishSolankiSanju1jamesmuller   LATEST NEWS Business Applications Launch Event - Virtual - 10th April 2024 Registration is still open for the Microsoft Business Applications Launch event which kicks off at 9am PST on Wednesday 10th April 2024. Join Microsoft product leaders and engineers for an in-depth look at the latest news and AI capabilities in Power Platform and Dynamics 365, featuring the likes of Charles Lamanna, Sangya Singh, Julie Strauss, Donald Kossmann, Lori Lamkin, Georg Glantschnig, Mala Anand, Jeff Comstock, and Mike Morton.   If you'd like to learn about the latest advances in AI and how #MicrosoftCopilot can help you streamline your processes, click the image below to register today!     Power Apps LIVE Copilot Coffee Chat - 9.30am 3rd April 2024 Be sure to check out our exclusive LIVE community event, "Power Apps Copilot Coffee Chat with Copilot Studio Product Team", which kicks off next week.   This is a unique opportunity to connect and converse with members of the Copilot Studio product team to learn more about their plans and insights into upcoming features. Click the image below to learn how to gain access!     Get Started with AI Prompts - Friday 29th March 2024 Join April Dunnam, Gomolemo Mohapi, and the team as they launch a new multi-week video series on our YouTube channelto show how you can power up your AI experience with Power Automate.   Here you'll discover how to create custom AI Prompts to use in your Power Platform solutions, with the premier available to view at 9am on Friday 29th March 2024. Click the image below to get notified when the video goes live!     UPCOMING EVENTS North American Collab Summit - Texas - 9-11th April 2024 It's not long now until the #NACollabSummit, which takes place at the Irving Convention Center in Texas on April 11-13th 2024. This amazing event will see business leaders, IT pros, developers, and end users, come together to learn how the latest Microsoft technologies can power teamwork, engagement, communication, and organizational effectiveness.   This is a great opportunity to learn from some amazing speakers and shining lights across #WomenInTech, with guests including the likes of Liz Sundet, Cathy Dew, Rebecka Isaksson, Isabelle Van Campenhoudt, Theresa Lubelski, Shari L. Oswald, Emily Mancini,Katerina Chernevskaya, Sharon Weaver, Sandy Ussia, Geetha Sivasailam, and many more.   Click the image below to find out more about this great event!   Dynamic Minds Conference - Slovenia - 27-29th May 2024 The DynamicsMinds Conference is almost upon us, taking place on 27-29th May at the Grand Hotel Bernardin in Slovenia. With over 150 sessions and 170 speakers, there's sure to be something for everyone across this awesome three-day event. There's an amazing array of speakers, including Dona Sarkar, Georg Glantschnig, Elena Baeva, Chris Huntingford, Lisa Crosbie, Ilya Fainberg, Keith Whatling, Malin Martnes, Mark Smith, Rachel Profitt, Renato Fajdiga, Shannon Mullins, Steve Mordue, Tricia Sinclair, Tommy Skaue, Victor Dantas, Sara Lagerquist, and many more.   Click the image below to meet more of the #MicrosoftCommunity in Slovenia to learn, mingle, and share your amazing ideas!     European Power Platform Conference - Belgium - 11-13th June It's time to make a note in your diary for the third European Power Platform Conference, which takes place at the SQUARE-BRUSSELS CONVENTION CENTRE on 11-13th June in Belgium.   This event brings together the Microsoft Community from across the world for three invaluable days of in-person learning, connection, and inspiration. There's a wide array of expert speakers across #MPPC24, including the likes of Aaron Rendell, Amira Beldjilali, Andrew Bibby, Angeliki Patsiavou, Ben den Blanken, Cathrine Bruvold, Charles Sexton, Chloé Moreau, Chris Huntingford, Claire Edgson, Damien Bird, Emma-Claire Shaw, Gilles Pommier, Guro Faller, Henry Jammes, Hugo Bernier, Ilya Fainberg, Karen Maes, Laura Graham-Brown, Lilian Stenholt Thomsen, Lindsay Shelton, Lisa Crosbie, Mats Necker, Negar Shahbaz, Nick Doelman, Paulien Buskens, Sara Lagerquist, Tricia Sinclair, Ulrikke Akerbæk, and many more.   Click the image below to find out more and register for what is sure to be a jam-packed event in beautiful Brussels!     For more events, click the image below to visit the Community Days website.   LATEST COMMUNITY BLOG ARTICLES Power Apps Community Blog Power Automate Community Blog Copilot Studio Community Blog Power Pages Community Blog Check out 'Using the Community' for more helpful tips and information: Power Apps, Power Automate, Copilot Studio, Power Pages              

SharePoint in operator delegation warning

alealbright

power app presentation ppt

How To Get Free Access To Microsoft PowerPoint

E very time you need to present an overview of a plan or a report to a whole room of people, chances are you turn to Microsoft PowerPoint. And who doesn't? It's popular for its wide array of features that make creating effective presentations a walk in the park. PowerPoint comes with a host of keyboard shortcuts for easy navigation, subtitles and video recordings for your audience's benefit, and a variety of transitions, animations, and designs for better engagement.

But with these nifty features comes a hefty price tag. At the moment, the personal plan — which includes other Office apps — is at $69.99 a year. This might be the most budget-friendly option, especially if you plan to use the other Microsoft Office apps, too. Unfortunately, you can't buy PowerPoint alone, but there are a few workarounds you can use to get access to PowerPoint at no cost to you at all.

Read more: The 20 Best Mac Apps That Will Improve Your Apple Experience

Method #1: Sign Up For A Free Microsoft Account On The Office Website

Microsoft offers a web-based version of PowerPoint completely free of charge to all users. Here's how you can access it:

  • Visit the Microsoft 365 page .
  • If you already have a free account with Microsoft, click Sign in. Otherwise, press "Sign up for the free version of Microsoft 365" to create a new account at no cost.
  • On the Office home page, select PowerPoint from the side panel on the left.
  • Click on "Blank presentation" to create your presentation from scratch, or pick your preferred free PowerPoint template from the options at the top (there's also a host of editable templates you can find on the Microsoft 365 Create site ).
  • Create your presentation as normal. Your edits will be saved automatically to your Microsoft OneDrive as long as you're connected to the internet.

It's important to keep in mind, though, that while you're free to use this web version of PowerPoint to create your slides and edit templates, there are certain features it doesn't have that you can find on the paid version. For instance, you can access only a handful of font styles and stock elements like images, videos, icons, and stickers. Designer is also available for use on up to three presentations per month only (it's unlimited for premium subscribers). When presenting, you won't find the Present Live and Always Use Subtitles options present in the paid plans. The biggest caveat of the free version is that it won't get any newly released features, unlike its premium counterparts.

Method #2: Install Microsoft 365 (Office) To Your Windows

Don't fancy working on your presentation in a browser? If you have a Windows computer with the Office 365 apps pre-installed or downloaded from a previous Office 365 trial, you can use the Microsoft 365 (Office) app instead. Unlike the individual Microsoft apps that you need to buy from the Microsoft Store, this one is free to download and use. Here's how to get free PowerPoint on the Microsoft 365 (Office) app:

  • Search for Microsoft 365 (Office) on the Microsoft Store app.
  • Install and open it.
  • Sign in with your Microsoft account. Alternatively, press "Create free account" if you don't have one yet.
  • Click on Create on the left side panel.
  • Select Presentation.
  • In the PowerPoint window that opens, log in using your account.
  • Press Accept on the "Free 5-day pass" section. This lets you use PowerPoint (and Word and Excel) for five days — free of charge and without having to input any payment information.
  • Create your presentation as usual. As you're using the desktop version, you can access the full features of PowerPoint, including the ability to present in Teams, export the presentation as a video file, translate the slides' content to a different language, and even work offline.

The only downside of this method is the time limit. Once the five days are up, you can no longer open the PowerPoint desktop app. However, all your files will still be accessible to you. If you saved them to OneDrive, you can continue editing them on the web app. If you saved them to your computer, you can upload them to OneDrive and edit them from there.

Method #3: Download The Microsoft PowerPoint App On Your Android Or iOS Device

If you're always on the move and need the flexibility of creating and editing presentations on your Android or iOS device, you'll be glad to know that PowerPoint is free and available for offline use on your mobile phones. But — of course, there's a but — you can only access the free version if your device is under 10.1 inches. Anything bigger than that requires a premium subscription. If your phone fits the bill, then follow these steps to get free PowerPoint on your device:

  • Install Microsoft PowerPoint from the App Store or Google Play Store .
  • Log in using your existing Microsoft email or enter a new email address to create one if you don't already have an account.
  • On the "Get Microsoft 365 Personal Plan" screen, press Skip For Now.
  • If you're offered a free trial, select Try later (or enjoy the free 30-day trial if you're interested).
  • To make a new presentation, tap the plus sign in the upper right corner.
  • Change the "Create in" option from OneDrive - Personal to a folder on your device. This allows you to save the presentation to your local storage and make offline edits.
  • Press "Set as default" to set your local folder as the default file storage location.
  • Choose your template from the selection or use a blank presentation.
  • Edit your presentation as needed.

Do note that PowerPoint mobile comes with some restrictions. There's no option to insert stock elements, change the slide size to a custom size, use the Designer feature, or display the presentation in Immersive Reader mode. However, you can use font styles considered premium on the web app.

Method #4: Use Your School Email Address

Office 365 Education is free for students and teachers, provided they have an email address from an eligible school. To check for your eligibility, here's what you need to do:

  • Go to the Office 365 Education page .
  • Type in your school email address in the empty text field.
  • Press "Get Started."
  • On the next screen, verify your eligibility. If you're eligible, you'll be asked to select whether you're a student or a teacher. If your school isn't recognized, however, you'll get a message telling you so.
  • For those who are eligible, proceed with creating your Office 365 Education account. Make sure your school email can receive external mail, as Microsoft will send you a verification code for your account.
  • Once you're done filling out the form, press "Start." This will open your Office 365 account page.

You can then start making your PowerPoint presentation using the web app. If your school's plan supports it, you can also install the Office 365 apps to your computer by clicking the "Install Office" button on your Office 365 account page and running the downloaded installation file. What sets the Office 365 Education account apart from the regular free account is that you have unlimited personal cloud storage and access to other Office apps like Word, Excel, and Outlook.

Read the original article on SlashGear .

presentation slides on laptop

IMAGES

  1. You’ve taken attention to detail when designing this app…well, now let

    power app presentation ppt

  2. Mobile Apps Free Powerpoint Presentation Template

    power app presentation ppt

  3. Ppt Introduction To Power Apps Features Benefits Powerpoint

    power app presentation ppt

  4. Free App Presentation PowerPoint template

    power app presentation ppt

  5. Free Apps PowerPoint Template

    power app presentation ppt

  6. Microsoft PowerApps

    power app presentation ppt

VIDEO

  1. Microsoft Power Apps

  2. Microsoft PowerApps Basics #1: Introduction to Canvas Apps

  3. Power Apps

  4. Power App Class Day02 || Designing Forms || Local and GLOBAL Variables || Saving forms

  5. Ignou viva ppt.How to make PPT on mobile. POWER POINT PRESENTATION on mobile

  6. ppt power point presentation how to make ppt on powerpoint presentation shorts. mysql

COMMENTS

  1. Make a powerpoint presentation on powerapps

    Hi @Gorilla_8. The only way you can control using tab index. It means you navigate to different control and invoke the button onSelect property which will navigate to other screens. You need to right Navigate (ScreenName) PowerApps is not really designed to work in this way. It's not easy to do. You will be spending more time than you think off.

  2. PowerPoint

    PowerPoint works incredibly well with Power Apps.In this lesson I show you how you can use PowerPoint to do the following:-00:00 Intro02:31 Use the Color Pic...

  3. Power Apps: Presentation, tutorial and feedbacks of Canvas Apps

    Power Apps Overview Presentation. Power Apps is a suite of apps, services, connectors and data platform that provides a rapid application development environment to build custom apps for business needs. ... Design the app by dragging and dropping elements onto a canvas, just as you would design a slide in PowerPoint. Create Excel-like ...

  4. A Beginner's Guide To Microsoft Power Apps

    The simplest way to build a Power Apps app is to start from the data source. This is part one in a three-part process: For this example, we could start from a Microsoft list, such as one that stores consulting interventions or pending IT tickets: 2. Next, we'll select the " Create an app " option in the Power Apps menu:

  5. Microsoft PowerPoint

    Get the familiar slideshow tool you know and love with the PowerPoint app. Create, edit, and view slideshows and present quickly and easily from anywhere. Present with confidence and refine your delivery, using Presenter Coach. Present slideshows and access recently used PowerPoint files quickly while on the go.

  6. Gamma App: Generate AI Presentations, Webpages & Docs

    Create a working presentation, document or webpage you can refine and customize in under a minute, ... We've avoided PowerPoint decks at all costs at our agency, ... Mix images, video, and interactive apps. Showing is far better than telling. Drag anything onto a card. Gamma cards are infinitely adaptable. Get creative with narrations or ...

  7. New Mobile App Development Powerpoint Presentation Slides

    Select our content ready New Mobile App Development Powerpoint Presentation Slides to focus on enterprise mobile app strategy. The mobile app design PowerPoint complete deck covers professional slides such as product/service overview, key statistics, understand the company's overall strategy dependencies & competitors, , executive summary, mission vision value, target for the next business ...

  8. PowerApps does Powerpoint

    This app shows how PowerApps can be used as a presentation tool that delivers much more than is possible with a PowerPoint deck. Under the hood the app uses Azure Blob Storage, Azure SQL, Forms, Flow and Power BI, and I've used it in real life to demonstrate the platform and to deliver a presentation. What I'm saying is it really works 😁.

  9. Free AI presentation maker

    AI presentation maker. When lack of inspiration or time constraints are something you're worried about, it's a good idea to seek help. Slidesgo comes to the rescue with its latest functionality—the AI presentation maker! With a few clicks, you'll have wonderful slideshows that suit your own needs. And it's totally free!

  10. 17 Presentation Apps and PowerPoint Alternatives for 2024

    Allows you to create and edit presentations on both your mobile device and computer. Cons. Keynote is designed for Mac. To use it on PC, you need a workaround. Similar to PowerPoint, so it doesn't really focus on the design of your presentation, just gives you the ability to create one. 12.

  11. ‎Microsoft PowerPoint on the App Store

    Collaborate on Presentations. • PowerPoint makes it easy to collaborate with others. • With 1-click sharing, quickly invite others to edit, view, or provide feedback on your slides. • Easily manage permissions and see who's working on your presentation. • Stay on top of changes and feedback with integrated comments within the slides.

  12. Google Slides: Online Slideshow Maker

    Present slideshows with confidence. With easy-to-use presenter view, speaker notes, and live captions, Slides makes presenting your ideas a breeze. You can even present to Google Meet video calls ...

  13. Forget PowerPoint: This is the AI presentation app of the future

    Beautiful.ai's adaptive slide designs save tons of time and make presentations instantly polished. And then, as you're working on slides, Beautiful.ai intelligently adapts the design at every ...

  14. PowerPoint: How to Add Audio to Powerpoint on Windows 10 and Mac

    To save the PowerPoint as a video, click File and then select Export. We also recommend saving your file as a regular PowerPoint before following the next steps for exporting your PowerPoint. Edit the name of the file and where you would like to save the video following PowerPoint's prompts. Select MP4 from the File Format options list.

  15. Solved: Embed Power Point slide

    Community Champion. 09-13-2021 05:37 AM. @devendraVelegan. At this point, I do not see a way to embed Power Point slides directly in the Power Apps. You have following ways: 1. Convert to PDF and use PDF control as you mentioned. 2. Take screen shot of the pictures and store them in OD or SP, place image control and provide custom option to ...

  16. How To Get Free Access To Microsoft PowerPoint

    Method #3: Download The Microsoft PowerPoint App On Your Android Or iOS Device. ... You can then start making your PowerPoint presentation using the web app. If your school's plan supports it, you ...