cancel
Showing results for 
Search instead for 
Did you mean: 
Reply
MechEng2013
Advocate III
Advocate III

Combo Box Selected Items - Lookup Field Issues

Hi again PowerApps Community! I've been pulling what's left of my hair out over this one.

 

I have a combo box in a form lookup field, where I have set the DefaultSelectedItems to:

If(IsBlank(ThisItem.Auditor), Filter(Choices([@'CI Logs'].cr2c7_Auditor), Username = "loganm"), ThisItem.Auditor)

 

'Auditor' is the lookup column which pulls records from a table of User information, where i need to pull the 'Email' address from that table.

 

On the submission of the form (button press), I want to gather the record from the combo box, using:

Set(varCIauditor, Concat(cb_CIauditor.SelectedItems, Email, "; "));

 

I then use the email address as part of an automated email system through outlook.com connector.

'Outlook.com'.SendEmailV2(
varCIauditor, // "To" Field

 

This works, if I manually clear out the default selection from the combo box, and then manually select a *different* user. If I manually clear & re-select the default user, it still does not work! By "Not Working", I mean that the variable is showing as either BLANK, or just empty string.

 

I have tried moving the '.Email' from the variable definition point to the Email connector To: field, that didn't make a difference either.

 

Is this possible or is this just an unfortunate bug in the PowerApps system? Thanks!

1 ACCEPTED SOLUTION

Accepted Solutions
poweractivate
Most Valuable Professional
Most Valuable Professional

@MechEng2013 

 

I think I know what the issue is for you here.

 

When you use a Dataverse Lookup column as the actual record for DefaultSelectedItems (or as the Default property of the Parent, if it says Parent.Default), you will only get a Record with a 2 column schema in response,

one column is the Primary Column (e.g. Name), and the  out of the box Dataverse GUID (Primary Key) as the record. 

 

NameGUID
Johnsome-guid

 

For example, your Primary Column in Dataverse might be 'Name'. That's all you get here.

For this reason, "Email" won't be present when you try to use this particular Record.

 

That's why it might also be happening only when it is the default Combo Box value, and not when it is changed - perhaps the DefaultSelectedItems (or a parent Default) is actually using a Dataverse lookup column directly, rather than the underlying data source. If so, only these two columns, Name and GUID will be present.

 

So you might visually see the Combo Box populating the value, because the primary column Name will be present - but in fact, Email, is not present - nor are any other columns you may be expecting. So it looks like it should work since there is a value shown in the Combo Box.

However, any other column besides Name isn't there, so in fact, it is not working as expected.

 

You need to actually get the whole Record from the underlying Table (data source) based on the Primary Key (GUID) field that is in the dataverse lookup column, like this

 

//pseudocode
//'Primary Key' will usually show up the same as the name of the Table in Power Apps, it is actually the out of the box primary key (GUID) of the Dataverse table.

LookUp(ActualUnderlyingDataSource,myRecordFromDataverseLookupColumn.'Primary Key' = 'Primary Key').Email

//ActualUnderlyingDataSource is the actual data source that your Dataverse lookup column was pointing to.

 

After that, your issue should be resolved, as you can access the Email column, and any other columns from the underlying data source.

 

By default, the Dataverse lookup field itself will only have the primary column (such as Name), and the primary key (GUID), of the record, but it will have nothing else that is from the actual Table itself. You need to explicitly LookUp the record from the underlying Table, using the primary key (GUID) to match it up with the actual underlying record form the actual underlying Table.

 

Wherever else you might be doing this in your app, make sure to do that explicit lookup as well, then you should be able to resolve the issues you are having.

 

See if it helps @MechEng2013 

View solution in original post

8 REPLIES 8
poweractivate
Most Valuable Professional
Most Valuable Professional

@MechEng2013 

You mention about "default selection" of a ComboBox and that it only works when you manually select from the ComboBox, but not if you leave the "default selection" alone. So that means you sometimes want to use the "default selection" from the ComboBox, is that right?

 

Your issue here seems similar to something mentioned by @v-xida-msft in this thread:
ComboBox default selected items from a collection doesn't work 

 I think you have some misunderstanding with the DefaultSelectedItems property of the ComboBox control.

 

The DefaultSelectedItems property of the ComboBox control is used to set a Default value within the ComboBox control. But the Default value just be displayed within the ComBoBox, rather than select corresponding values from the ComboBox available options and display it.

 

In other words, the Default value just be used as a Display value within the ComboBox, which would not be recognized that you selected corresponding values from the ComboBox available options.



So you said as follows:


@MechEng2013 wrote:

By "Not Working", I mean that the variable is showing as either BLANK, or just empty string.

If that is the case that it shows Blank or empty string, why don't you try this: check if it is an empty string, if so, then use DefaultSelectedItems instead of SelectedItems - something like the following (the below is not tested, you should adjust the below to make sense for you if needed):

//pseudocode
With
(
    {cbsi:cb_CIauditor.SelectedItems,cbsd:cb_CIauditor.DefaultSelectedItems},
   ,If
    (
        IsBlank(cbsi)
       ,Set(varCIauditor, Concat(cbsd, Email, "; "))
       ,Set(varCIauditor, Concat(cbsi, Email, "; "))
    );
)

 

In the version above, Set is repeated twice, which may not be the best.

It may be better to put the If inside the Set, or actually, even to put the If inside the Concat for that matter, to avoid repetition of the same things twice so the version below is probably better than the version above  (the below is also not tested, you should adjust the below to make sense for you if needed):

//pseudocode
With
(
    {cbsi:cb_CIauditor.SelectedItems,cbsd:cb_CIauditor.DefaultSelectedItems},
   ,Set
    (
         varCIauditor
        ,Concat
         (
           If(IsBlank(cbsi),cbsd,cbsi)
          ,Email
          , "; "
         )
    );
)​

 

One thing you may wonder is, if it's an empty string, or it's "BLANK" - is that really the same thing? Why do I just use IsBlank function, and not also check specifically for an empty string "" as well just in case?

Well, @v-xida-msft also happened to mention in this thread: IsBlank(), IsEmpty(), or = " " ?  that:

the "" (empty string) is not equal to Blank

I remember it worked like that too, and that may have been true at the time of that thread in 2018, but it seems to be no longer true now.

I also tested it just now myself, IsBlank("") returns true, whereas IsBlank("somestring") returns false.

 

In the docs, you can see here:

IsBlank Power Apps - docs.microsoft.com 

To simplify app creation, the IsBlank and Coalesce functions test for both blank values or empty strings

This is the way IsBlank works as of now, it tests for both blank values or empty strings so you shouldn't have to worry - if it's an empty string, or if it's Blank, IsBlank checks for both cases and will return true if either case is true. In case you also happen to remember it working that way before too, well this has changed and IsBlank does seem to test for empty strings according to the latest documentation as of this writing, and according to my testing just now.

 

In case you are still worried about it, you can do:

If(IsBlank(cbsi) || cbsi = "",cbsd,cbsi)

 

However, the above is redundant nowadays, IsBlank does also check for the empty string now, so you can just use:

If(IsBlank(cbsi),cbsd,cbsi)

 

See if it helps @MechEng2013 

MechEng2013
Advocate III
Advocate III

Thanks for the reply. I'm still trying to wrap my head around this, it's been a busy week at work in addition to this so I apologize i haven't had time to respond yet.

I'm able to drill down the issue even to the point where if I manually select an item in the combo box (there are two of them now), I can pull the field Item.Name, but not Item.Email. Remember this is a lookup field pointing to a user data table, so I can pull their Name but not the email!? (*I'm testing this with a simple text label to quickly check what the combo box and the lookup are pulling).

 

Combo Box "Items" value is this:

Filter(
Choices([@'CI Logs'].'Name Assigned To'),
Or(
Username = "caraw",
Username = "hollia",
Username = "jeffw",
Username = "loganm",
Username = "saraj",
Username = "timc"
)
)

 

This filters my selections down properly, and like I said, i can get the Names, but it won't pull any other field other than that!

poweractivate
Most Valuable Professional
Most Valuable Professional

@MechEng2013 

 

Filter( 
Choices([@'CI Logs'].'Name Assigned To'),
....
)

 

The Choices([@'CI Logs'].'Name Assigned To') part might be returning only Names with no Emails. Can you try to Filter on something else that will return the Names and Emails?

OK next iteration...

I have tried this formula in the combo box's Items value:

Filter('VVI Users', 'CI Auditor' = 'CI Auditor (VVI Users)'.Yes )

 

I created 'CI Auditor' field in the 'VVI Users' table, which is a YES/NO Choice, so i can define who is an approved auditor. Checking this column in the filter works, I get the correct records listed in the combo box. Still do not see any other value other than name!

What good are these record lookups if I can't dig down and get the other fields with the constructors?? UGH

 

edit:

I can see the emails once i submit the form and lookup the Record.Auditor.Email... but once i submit my form, and set a variable as the Form.LastSubmit, then use the varCIRecord.Auditor.Email, it returns BLANK - email doesn't send.

poweractivate
Most Valuable Professional
Most Valuable Professional

@MechEng2013 

OK there are many things here, and I recommend you deal with them one at a time.

 

1. First of all, in the original post, you brought up this:


@MechEng2013 wrote:

I then use the email address as part of an automated email system through outlook.com connector.

'Outlook.com'.SendEmailV2(
varCIauditor, // "To" Field

 

This works, if I manually clear out the default selection from the combo box, and then manually select a *different* user. If I manually clear & re-select the default user, it still does not work! By "Not Working", I mean that the variable is showing as either BLANK, or just empty string.

 


If you still have this issue, did using DefaultSelectedItems work? It seemed form the original post, it was working otherwise except for when no value was set manually in the control. In the first post, I explained why this might have been the case - did using DefaultSelectedItems work?

//pseudocode
With
(
    {cbsi:cb_CIauditor.SelectedItems,cbsd:cb_CIauditor.DefaultSelectedItems},
   ,Set
    (
         varCIauditor
        ,Concat
         (
           If(IsBlank(cbsi),cbsd,cbsi)
          ,Email
          , "; "
         )
    );
)

 

 

2. Now you also bring up this:


@MechEng2013 wrote:

 

I created 'CI Auditor' field in the 'VVI Users' table, which is a YES/NO Choice, so i can define who is an approved auditor. Checking this column in the filter works, I get the correct records listed in the combo box. Still do not see any other value other than name!

What good are these record lookups if I can't dig down and get the other fields with the constructors?? UGH

 


A Combo Box control, Drop Down control, etc. will usually only show one of the columns, you may want to check what's in the Items property of the Combo Box control and adjust it accordingly, such as to show Email rather than Name.

3. You also bring up:


@MechEng2013 wrote:

 

edit:

I can see the emails once i submit the form and lookup the Record.Auditor.Email... but once i submit my form, and set a variable as the Form.LastSubmit, then use the varCIRecord.Auditor.Email, it returns BLANK - email doesn't send.


OK now you're trying to do something different here. 

First, before setting a variable, I'd recommend just using Form.LastSubmit directly with no variable just to see if it works - does it work then, or is the issue still there?

If it happens to work only without setting a variable, then I'd recommend not to set the variable. 

If you have a requirement that Form.LastSubmit must be in a variable, it may be possible but to keep things simple, let's see if it works when using Form.LastSubmit directly first before going there.

If the above doesn't work, then, continuing to use Form.LastSubmit directly only first, try the following:

 

Note that putting the data in a Combo Box or a Drop down control is not the best way to do trial and error on seeing if data is there or not, those specific controls do not show complete Tables or even a complete Record, so to help with this, you can try the following:

 

1. Try putting Form.LastSubmit in a valid place in a formula bar, and hover over it to see what's inside of it data wise. See if the data is there, but simply that you did not access it. 
2. Try putting Form.LastSubmit as the Items property of a Gallery. It's just one Record (not a Table) but the Gallery might accept it anyway. Make sure on the right side of the Gallery to click Edit Fields and add in fields if you want to do it this way.

3. Try putting Form.LastSubmit as the Items property of a Data Table, but you'll need to use [Form.LastSubmit] so it's turned into a Table. Make sure on the right side to click Edit Fields and add in fields if you want to do it this way.

@MechEng2013 - since you have so many things going on here, I recommend you check on them one at a time. 

 

See if the above helps you.

Thanks for all your help @poweractivate !

 

First point #1: I have changed the way I want to do this, so DefaultSelectedItems is now just Parent.Default. Parent.Default is ThisItem.Auditor.

 

Second #2: Here is ComboBox Items property:

Filter('VVI Users', 'CI Auditor' = 'CI Auditor (VVI Users)'.Yes )

This checks that I have added the Auditor role to their profile. If "Yes", they are added to the filter. This works good for the combo box filter/selection. As you can see, i'm not pulling their names in this filter, So the records are being pulled, but I can't dig down to the other fields from the lookup record.

 

Point #3: When I check the variable's other things that I'm pulling, they are working correctly. The only one that is not working is the Email lookup, I've traced it back to the Combo Boxes like we've been discussing.

 

My observations based on testing:

  1. It seems that ComboBox.Selected can only pull the Primary Column data from the lookup record. This seems odd to me, because it decreases functionality, but maybe it is just something we have to work around as PowerApps developers.
  2. In trying to work around this, I have also found some odd behavior in the Outlook.com connector (Send Email V2) maybe I just don't understand. My work around, was to set a variable 'varCIAuditor' to LastSubmit.Auditor.Email (Text type), then set the 'To:' field in the email connector to varCIAuditor. This also did not work. -  I use alot of these email connectors throughout my app, so I'm quite familiar with using these types of variables to assign things I want the email to say, or who to send to.

 

To make it more frustrating:

Another form I use a combo box to select multiple people from the same Users table, and I use an invisible text label with contcat(combobox.selecteditems, Text(Email), "; ") to create a string of all the emails to send to, and this works perfectly. When I copy this over this form I'm having trouble on, it doesn't work. Honestly, the only difference I can see between these two pages, is that the combo box that is working correctly, is NOT in the Datacard of the Form, it is outside of the form. Maybe that's the key??

 

 

 

 

poweractivate
Most Valuable Professional
Most Valuable Professional

@MechEng2013 

 

I think I know what the issue is for you here.

 

When you use a Dataverse Lookup column as the actual record for DefaultSelectedItems (or as the Default property of the Parent, if it says Parent.Default), you will only get a Record with a 2 column schema in response,

one column is the Primary Column (e.g. Name), and the  out of the box Dataverse GUID (Primary Key) as the record. 

 

NameGUID
Johnsome-guid

 

For example, your Primary Column in Dataverse might be 'Name'. That's all you get here.

For this reason, "Email" won't be present when you try to use this particular Record.

 

That's why it might also be happening only when it is the default Combo Box value, and not when it is changed - perhaps the DefaultSelectedItems (or a parent Default) is actually using a Dataverse lookup column directly, rather than the underlying data source. If so, only these two columns, Name and GUID will be present.

 

So you might visually see the Combo Box populating the value, because the primary column Name will be present - but in fact, Email, is not present - nor are any other columns you may be expecting. So it looks like it should work since there is a value shown in the Combo Box.

However, any other column besides Name isn't there, so in fact, it is not working as expected.

 

You need to actually get the whole Record from the underlying Table (data source) based on the Primary Key (GUID) field that is in the dataverse lookup column, like this

 

//pseudocode
//'Primary Key' will usually show up the same as the name of the Table in Power Apps, it is actually the out of the box primary key (GUID) of the Dataverse table.

LookUp(ActualUnderlyingDataSource,myRecordFromDataverseLookupColumn.'Primary Key' = 'Primary Key').Email

//ActualUnderlyingDataSource is the actual data source that your Dataverse lookup column was pointing to.

 

After that, your issue should be resolved, as you can access the Email column, and any other columns from the underlying data source.

 

By default, the Dataverse lookup field itself will only have the primary column (such as Name), and the primary key (GUID), of the record, but it will have nothing else that is from the actual Table itself. You need to explicitly LookUp the record from the underlying Table, using the primary key (GUID) to match it up with the actual underlying record form the actual underlying Table.

 

Wherever else you might be doing this in your app, make sure to do that explicit lookup as well, then you should be able to resolve the issues you are having.

 

See if it helps @MechEng2013 

This was it, thank you for going above and beyond to help me with this! Knowing that the combo box selection only returns the GUID and the Primary Column is helpful, then make a separate lookup using the GUID value as the formula works perfectly. 

Helpful resources

Announcements

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

  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: Unlocking Community Achievements and Earning Badges

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 TIP: Unlocking Achievements and Earning BadgesAcross the Communities, you'll see badges on users profile that recognize and reward their engagement and contributions. These badges each signify a different achievement--and all of those achievements are available to any Community member! If you're a seasoned pro or just getting started, you too can earn badges for the great work you do. Check out some details on Community badges below--and find out more in the detailed link at the end of the article!       A Diverse Range of Badges to Collect The badges you can earn in the Community cover a wide array of activities, including: Kudos Received: Acknowledges the number of times a user’s post has been appreciated with a “Kudo.”Kudos Given: Highlights the user’s generosity in recognizing others’ contributions.Topics Created: Tracks the number of discussions initiated by a user.Solutions Provided: Celebrates the instances where a user’s response is marked as the correct solution.Reply: Counts the number of times a user has engaged with community discussions.Blog Contributor: Honors those who contribute valuable content and are invited to write for the community blog.       A Community Evolving Together Badges are not only a great way to recognize outstanding contributions of our amazing Community members--they are also a way to continue fostering a collaborative and supportive environment. As you continue to share your knowledge and assist each other these badges serve as a visual representation of your valuable contributions.   Find out more about badges in these Community Support pages in each Community: All About Community Badges - Power Apps CommunityAll About Community Badges - Power Automate CommunityAll About Community Badges - Copilot Studio CommunityAll About Community Badges - Power Pages Community

Tuesday Tips: Powering Up Your Community Profile

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 Tip: Power Up Your Profile!  🚀 It's where every Community member gets their start, and it's essential that you keep it updated! Your Community User Profile is how you're able to get messages, post solutions, ask questions--and as you rank up, it's where your badges will appear and how you'll be known when you start blogging in the Community Blog. Your Community User Profile is how the Community knows you--so it's essential that it works the way you need it to! From changing your username to updating contact information, this Knowledge Base Article is your best resource for powering up your profile.     Password Puzzles? No Problem! Find out how to sync your Azure AD password with your community account, ensuring a seamless sign-in. No separate passwords to remember! Job Jumps & Email Swaps Changed jobs? Got a new email? Fear not! You'll find out how to link your shiny new email to your existing community account, keeping your contributions and connections intact. Username Uncertainties Unraveled Picking the perfect username is crucial--and sometimes the original choice you signed up with doesn't fit as well as you may have thought. There's a quick way to request an update here--but remember, your username is your community identity, so choose wisely. "Need Admin Approval" Warning Window? If you see this error message while using the community, don't worry. A simple process will help you get where you need to go. If you still need assistance, find out how to contact your Community Support team. Whatever you're looking for, when it comes to your profile, the Community Account Support Knowledge Base article is your treasure trove of tips as you navigate the nuances of your Community Profile. It’s the ultimate resource for keeping your digital identity in tip-top shape while engaging with the Power Platform Community. So, dive in and power up your profile today!  💪🚀   Community Account Support | Power Apps Community Account Support | Power AutomateCommunity Account Support | Copilot Studio  Community Account Support | Power Pages

Super User of the Month | Chris Piasecki

In our 2nd installment of this new ongoing feature in the Community, we're thrilled to announce that Chris Piasecki is our Super User of the Month for March 2024. If you've been in the Community for a while, we're sure you've seen a comment or marked one of Chris' helpful tips as a solution--he's been a Super User for SEVEN consecutive seasons!       Since authoring his first reply in April 2020 to his most recent achievement organizing the Canadian Power Platform Summit this month, Chris has helped countless Community members with his insights and expertise. In addition to being a Super User, Chris is also a User Group leader, Microsoft MVP, and a featured speaker at the Microsoft Power Platform Conference. His contributions to the new SUIT program, along with his joyous personality and willingness to jump in and help so many members has made Chris a fixture in the Power Platform Community.   When Chris isn't authoring solutions or organizing events, he's actively leading Piasecki Consulting, specializing in solution architecture, integration, DevOps, and more--helping clients discover how to strategize and implement Microsoft's technology platforms. We are grateful for Chris' insightful help in the Community and look forward to even more amazing milestones as he continues to assist so many with his great tips, solutions--always with a smile and a great sense of humor.You can find Chris in the Community and on LinkedIn. Thanks for being such a SUPER user, Chris! 💪🌠

Tuesday Tips: Community Ranks and YOU

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: Community Ranks--Moving from "Member" to "Community Champion"   Have you ever wondered how your fellow community members ascend the ranks within our community? What sets apart an Advocate from a Helper, or a Solution Sage from a Community Champion? In today’s #TuesdayTip, we’re unveiling the secrets and sharing tips to help YOU elevate your ranking—and why it matters to our vibrant communities. Community ranks serve as a window into a member’s role and activity. They celebrate your accomplishments and reveal whether someone has been actively contributing and assisting others. For instance, a Super User is someone who has been exceptionally helpful and engaged. Some ranks even come with special permissions, especially those related to community management. As you actively participate—whether by creating new topics, providing solutions, or earning kudos—your rank can climb. Each time you achieve a new rank, you’ll receive an email notification. Look out for the icon and rank name displayed next to your username—it’s a badge of honor! Fun fact: Your Community Engagement Team keeps an eye on these ranks, recognizing the most passionate and active community members. So shine brightly with valuable content, and you might just earn well-deserved recognition! Where can you see someone’s rank? When viewing a post, you’ll find a member’s rank to the left of their name.Click on a username to explore their profile, where their rank is prominently displayed. What about the ranks themselves? New members start as New Members, progressing to Regular Visitors, and then Frequent Visitors.Beyond that, we have a categorized system: Kudo Ranks: Earned through kudos (teal icons).Post Ranks: Based on your posts (purple icons).Solution Ranks: Reflecting your solutions (green icons).Combo Ranks: These orange icons combine kudos, solutions, and posts. The top ranks have unique names, making your journey even more exciting! So dive in, collect those kudos, share solutions, and let’s see how high you can rank! 🌟 🚀   Check out the Using the Community boards in each of the communities for more helpful information!  Power Apps, Power Automate, Copilot Studio & Power Pages

Find Out What Makes Super Users So Super

We know many of you visit the Power Platform Communities to ask questions and receive answers. But do you know that many of our best answers and solutions come from Community members who are super active, helping anyone who needs a little help getting unstuck with Business Applications products? We call these dedicated Community members Super Users because they are the real heroes in the Community, willing to jump in whenever they can to help! Maybe you've encountered them yourself and they've solved some of your biggest questions. Have you ever wondered, "Why?"We interviewed several of our Super Users to understand what drives them to help in the Community--and discover the difference it has made in their lives as well! Take a look in our gallery today: What Motivates a Super User? - Power Platform Community (microsoft.com)

Top Solution Authors
Top Kudoed Authors
Users online (4,649)