cancel
Showing results for 
Search instead for 
Did you mean: 
Reply
JerryH
Resolver III
Resolver III

Insert Media > Add Picture - Simple instructions and attach to email

hi

Can anyone direct me to "simple to follow instructions" to Insert Media > Add Picture - and then attach photo to email coding

Thanks

Jerry

AddMedia.PNG

3 ACCEPTED SOLUTIONS

Accepted Solutions
wyotim
Resident Rockstar
Resident Rockstar

Hi @JerryH, this took a little digging for me as I have managed to go this long without ever sending an email with an attachment from Power Apps. Pulling from your other thread, you would add the following to the code in curly braces:

Attachments: {Name: AddMediaButton1.FileName, ContentBytes: UploadedImage1.Image, '@odata.type': ""}

where AddMediaButton1 and UploadedImage1 are the default names of the two items in the AddMediaWithImage control. 

 

So if I grab your previous code from the other thread, it would look something like this:

Office365Outlook.SendEmailV2(
    "jerry.hald@nworld.com",
    "Asset Fault Log Request",
    "Equipment Fault - Call out required" & Concat(
        FaultList,
        "<table style='700'>
            <tr>
                <td><b>Client Name :</b></td>
                <td>" & ManufacturerName & "</td>
            </tr>" &
            "<tr>
                <td><b>Location :</b></td>
                <td>" & LocationName & "</td>
            </tr>" &
            "<tr>
                <td><b>Asset Description :</b></td>
                <td>" & AssetDecription & "</td>
            </tr>" &
            "<tr>
                <td><b>Serial Number :</b></td>
                <td>" & 'Device Name' & "</td>
            </tr>
        </table></body>"
    ),
    {
        Importance: "Normal"
        Attachments: {Name: AddMediaButton1.FileName, ContentBytes: UploadedImage1.Image, '@odata.type': ""}
    }
)

Again, you may need to change the AddMediaButton1 and UploadedImage1 titles to match the names you have. It's a bit of a beast but the main takeaway is that the Attachments section needs to be a table with those three items (Name, ContentBytes, and '@odata.type' which has a blank value). With this in mind, you could put multiple items in a collection and use that to send numerous attachments if needed.

 

I hope that gets you going! Let me know either way and I will follow up if needed!

View solution in original post

wyotim
Resident Rockstar
Resident Rockstar

Hi @JerryH! Sorry for the non-response to your first message; it's been a full day. 😵 😁 For the record, I'm fine with you posting in the same thread. It could be good to make a new thread if the issue is different enough and you think others could benefit from seeing it but otherwise we can keep it all in the same one. 

 

From looking at your code, I am noticing that the closing parentheses are missing from the Patch statement and the ForAll statement. That might explain the two errors you are seeing. Let's start there and see if that solves it!

 

ForAll(
    Filter(
        Devices1_1.AllItems,
        VerifyItem_1.Value = true
    ),
    Patch(
        Devices,
        Defaults(Devices), 
        {
            Name: User().FullName,
            Date: Now(),
            Status: "Confirmed"
        }
    )
)

 

View solution in original post

wyotim
Resident Rockstar
Resident Rockstar

Hey @JerryH, so I have good news and bad news. The bad news is that I couldn't find a way to use the disambiguation operator on the gallery reference. This means that the ForAll loop will only look at the first item in the gallery and never make it past that one. It also seems that it isn't possible to reference the GUID that Power Apps assigns. This part might not be too much of a problem as long as you have one unique value, like a device name or something, that you can reference. It would also work to use multiple items in the LookUp to define a row if one value isn't unique but two or more together are.

 

The good news is that doing what you are trying without the gallery reference isn't too difficult. Here's what I did: 

 

On the checkbox control, I put the following items in the OnCheck and OnUncheck properties:

// OnCheck
Collect(colVerifiedDevices, ThisItem)

// OnUncheck
Remove(colVerifiedDevices, ThisItem)

This simply adds the row of data from the gallery into a collection called colVerifiedDevices if the box is checked and removes it if it is unchecked. I then used this collection in the ForAll loop instead of the gallery like so:

ForAll(
    colVerifiedDevices,
    Patch(
        Devices,
        LookUp(Devices, DeviceName = colVerifiedDevices[@DeviceName]), 
        {
            Name: User().FullName,
            Date: Now(),
            Status: "Confirmed"
        }
    )
);
Clear(colVerifiedDevices)

I assumed that the name of the column with Test6, Test7, Test8, etc. was called DeviceName, so you will want to change that with the field name with the unique values.

 

If you need to use more than one field to define a unique row, it would look something like this:

ForAll(
    colVerifiedDevices,
    Patch(
        Devices,
        LookUp(Devices, Field1 = colVerifiedDevices[@Field1] && Field2 = colVerifiedDevices[@Field2]), 
        {
            Name: User().FullName,
            Date: Now(),
            Status: "Confirmed"
        }
    )
);
Clear(colVerifiedDevices)

Just repeat the '&& Field# = colVerifiedDevices[@Field#]' for each additional field you need in there (where Field# is the column name of course).

 

One thing to note is the Clear(colVerifiedDevices) at the end of the ForAll Patch statement. This clears the collection out when the loop is done so those values aren't repeated.

 

I hope all of that makes sense but feel free to hit me up if it doesn't!

View solution in original post

11 REPLIES 11
wyotim
Resident Rockstar
Resident Rockstar

Hi @JerryH, this took a little digging for me as I have managed to go this long without ever sending an email with an attachment from Power Apps. Pulling from your other thread, you would add the following to the code in curly braces:

Attachments: {Name: AddMediaButton1.FileName, ContentBytes: UploadedImage1.Image, '@odata.type': ""}

where AddMediaButton1 and UploadedImage1 are the default names of the two items in the AddMediaWithImage control. 

 

So if I grab your previous code from the other thread, it would look something like this:

Office365Outlook.SendEmailV2(
    "jerry.hald@nworld.com",
    "Asset Fault Log Request",
    "Equipment Fault - Call out required" & Concat(
        FaultList,
        "<table style='700'>
            <tr>
                <td><b>Client Name :</b></td>
                <td>" & ManufacturerName & "</td>
            </tr>" &
            "<tr>
                <td><b>Location :</b></td>
                <td>" & LocationName & "</td>
            </tr>" &
            "<tr>
                <td><b>Asset Description :</b></td>
                <td>" & AssetDecription & "</td>
            </tr>" &
            "<tr>
                <td><b>Serial Number :</b></td>
                <td>" & 'Device Name' & "</td>
            </tr>
        </table></body>"
    ),
    {
        Importance: "Normal"
        Attachments: {Name: AddMediaButton1.FileName, ContentBytes: UploadedImage1.Image, '@odata.type': ""}
    }
)

Again, you may need to change the AddMediaButton1 and UploadedImage1 titles to match the names you have. It's a bit of a beast but the main takeaway is that the Attachments section needs to be a table with those three items (Name, ContentBytes, and '@odata.type' which has a blank value). With this in mind, you could put multiple items in a collection and use that to send numerous attachments if needed.

 

I hope that gets you going! Let me know either way and I will follow up if needed!

Thank you so much...

I have a few other questions for my App?

Can i use this thread?

HI Wyotim

Any chance you can see if you can pick up an errors in this code? Basically, when user checks the checkbox, and presses button, it sends info back to datasource…..

 

ForAll(Filter(Devices1_1.AllItems,VerifyItem_1.Value = true),
Patch(Devices,Defaults(Devices),

{Name: User().Email,

Date: Now(),

Status: "Confirmed"}

 

Code.PNGPicture1.pngAssetVerification.PNG

wyotim
Resident Rockstar
Resident Rockstar

Hi @JerryH! Sorry for the non-response to your first message; it's been a full day. 😵 😁 For the record, I'm fine with you posting in the same thread. It could be good to make a new thread if the issue is different enough and you think others could benefit from seeing it but otherwise we can keep it all in the same one. 

 

From looking at your code, I am noticing that the closing parentheses are missing from the Patch statement and the ForAll statement. That might explain the two errors you are seeing. Let's start there and see if that solves it!

 

ForAll(
    Filter(
        Devices1_1.AllItems,
        VerifyItem_1.Value = true
    ),
    Patch(
        Devices,
        Defaults(Devices), 
        {
            Name: User().FullName,
            Date: Now(),
            Status: "Confirmed"
        }
    )
)

 

Amazing!!!!!! That result made me so happy!

 

3 Questions.

1. The information recorded in my Datasource but in new rows... Can we get to show in correct asset row. See image below

2. With my Dropdowns - can we get the Item to default either to Blank or one of the Items such as Select?

3. Now that my App is almost complete. Should i move the Datasource from Excel to Sharepoint?

 

DefaultItem.PNG


RecordedAsset.PNG

wyotim
Resident Rockstar
Resident Rockstar

Hey @JerryH, glad that did the trick for you!

 

For the first question, the reason it is writing a new row is due to the Defaults(Devices) section of your code. This writes a new record using the default values of the data source listed. To update a row, you will need to swap that portion of code out with something that identifies a record. I'll need to test using a gallery as a reference in a ForAll loop as I have never done that before, but one general way to do it is to use a LookUp to find the specific record you are on in the loop in the data source. Something generally like this:

ForAll(
    ForAllDataSource,
    Patch(
        DataSourceName,
        LookUp(DatasourceName, FieldYouWant = ForAllDataSource[@FieldYouWant]),
        {
            ...
        }
    )
)

You will notice the square brackets and the @ symbol. The @ symbol is called a disambiguation operator and what it is doing is making sure Power Apps knows which field you are referencing, in this case, the particular FieldYouWant field that the ForAll loop is on in the ForAllDataSource data source. 

 

The best field to use here is something that uniquely defines that row, like an ID of some kind. In Excel, Power Apps makes that GUID column that I see at the end of your data table. That would be the best thing to use. As I said before, I am not sure of the syntax when referencing a gallery but I will test that after I post this message.

 

On question 2, this is possible. Dropdowns have an AllowEmptySelection property just for blank values. If you set that to true and then set the Default property to "", this should accomplish that part. If you are in a form, leaving the Default set to Parent.Default would show the value for that record or leave it blank if there is no value.

 

As far as the third question goes, SharePoint is a good data source and might be easier to use than Excel. Back in the old days when I got started with Power Apps, sharing an app with Excel as a data source didn't seem to work so well so I stopped trying and haven't attempted it since. I'm sure it's a much better experience now, but Excel does have limitations with how much data can be used and it is a bit on the slow side.

 

One thing about SharePoint to keep in mind is that anyone with access to that app will have access to that table on SharePoint, which is the same with Excel but SharePoint has lots of security options to control what data each person can see. I'm not a SharePoint expert at all (the company I work for uses SQL so that is what I know best) but there are some really good YouTube channels to check out if you want more info about building Power Apps for SharePoint and all the layers of permissions. Laura Rogers (WonderLaura) and Shane Young are both great channels to check out.

 

Hopefully, that helps but if I can try to clarify or explain more, let me know! And I'll get back on the gallery syntax as soon as I crack it.

wyotim
Resident Rockstar
Resident Rockstar

Hey @JerryH, so I have good news and bad news. The bad news is that I couldn't find a way to use the disambiguation operator on the gallery reference. This means that the ForAll loop will only look at the first item in the gallery and never make it past that one. It also seems that it isn't possible to reference the GUID that Power Apps assigns. This part might not be too much of a problem as long as you have one unique value, like a device name or something, that you can reference. It would also work to use multiple items in the LookUp to define a row if one value isn't unique but two or more together are.

 

The good news is that doing what you are trying without the gallery reference isn't too difficult. Here's what I did: 

 

On the checkbox control, I put the following items in the OnCheck and OnUncheck properties:

// OnCheck
Collect(colVerifiedDevices, ThisItem)

// OnUncheck
Remove(colVerifiedDevices, ThisItem)

This simply adds the row of data from the gallery into a collection called colVerifiedDevices if the box is checked and removes it if it is unchecked. I then used this collection in the ForAll loop instead of the gallery like so:

ForAll(
    colVerifiedDevices,
    Patch(
        Devices,
        LookUp(Devices, DeviceName = colVerifiedDevices[@DeviceName]), 
        {
            Name: User().FullName,
            Date: Now(),
            Status: "Confirmed"
        }
    )
);
Clear(colVerifiedDevices)

I assumed that the name of the column with Test6, Test7, Test8, etc. was called DeviceName, so you will want to change that with the field name with the unique values.

 

If you need to use more than one field to define a unique row, it would look something like this:

ForAll(
    colVerifiedDevices,
    Patch(
        Devices,
        LookUp(Devices, Field1 = colVerifiedDevices[@Field1] && Field2 = colVerifiedDevices[@Field2]), 
        {
            Name: User().FullName,
            Date: Now(),
            Status: "Confirmed"
        }
    )
);
Clear(colVerifiedDevices)

Just repeat the '&& Field# = colVerifiedDevices[@Field#]' for each additional field you need in there (where Field# is the column name of course).

 

One thing to note is the Clear(colVerifiedDevices) at the end of the ForAll Patch statement. This clears the collection out when the loop is done so those values aren't repeated.

 

I hope all of that makes sense but feel free to hit me up if it doesn't!

Absolutely amazing - thank you so so much.😀

wyotim
Resident Rockstar
Resident Rockstar

@JerryH Happy to be able to help out! If I can be of assistance in the future, feel free to tag me in the post.

Helpful resources

Announcements

Community Roundup: A Look Back at Our Last 10 Tuesday Tips

As we continue to grow and learn together, it's important to reflect on the valuable insights we've shared. For today's #TuesdayTip, we're excited to take a moment to look back at the last 10 tips we've shared in case you missed any or want to revisit them. Thanks for your incredible support for this series--we're so glad it was able to help so many of you navigate your community experience!   Getting Started in the Community An overview of everything you need to know about navigating the community on one page!  Community Links: ○ Power Apps ○ Power Automate  ○ Power Pages  ○ Copilot Studio    Community Ranks and YOU Have you ever wondered how your fellow community members ascend the ranks within our community? We explain everything about ranks and how to achieve points so you can climb up in the rankings! Community Links: ○ Power Apps ○ Power Automate  ○ Power Pages  ○ Copilot Studio    Powering Up Your Community Profile 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. Community Links: ○ Power Apps ○ Power Automate  ○ Power Pages  ○ Copilot Studio    Community Blogs--A Great Place to Start There's so much you'll discover in the Community Blogs, and we hope you'll check them out today!  Community Links: ○ Power Apps ○ Power Automate  ○ Power Pages  ○ Copilot Studio    Unlocking Community Achievements and Earning Badges Across the Communities, you'll see badges on users profile that recognize and reward their engagement and contributions. Check out some details on Community badges--and find out more in the detailed link at the end of the article! Community Links: ○ Power Apps  ○ Power Automate  ○ Power Pages  ○ Copilot Studio    Blogging in the Community Interested in blogging? Everything you need to know on writing blogs in our four communities! Get started blogging across the Power Platform communities today! Community Links: ○ Power Apps  ○ Power Automate  ○ Power Pages  ○ Copilot Studio   Subscriptions & Notifications We don't want you to miss a thing in the community! Read all about how to subscribe to sections of our forums and how to setup your notifications! Community Links: ○ Power Apps  ○ Power Automate  ○ Power Pages  ○ Copilot Studio   Getting Started with Private Messages & Macros Do you want to enhance your communication in the Community and streamline your interactions? One of the best ways to do this is to ensure you are using Private Messaging--and the ever-handy macros that are available to you as a Community member! Community Links: ○ Power Apps  ○ Power Automate  ○ Power Pages  ○ Copilot Studio   Community User Groups Learn everything about being part of, starting, or leading a User Group in the Power Platform Community. Community Links: ○ Power Apps  ○ Power Automate  ○ Power Pages  ○ Copilot Studio   Update Your Community Profile Today! Keep your community profile up to date which is essential for staying connected and engaged with the community. Community Links: ○ Power Apps  ○ Power Automate  ○ Power Pages  ○ Copilot Studio   Thank you for being an integral part of our journey.   Here's to many more Tuesday Tips as we pave the way for a brighter, more connected future! As always, watch the News & Announcements for the next set of tips, coming soon!

Calling all User Group Leaders and Super Users! Mark Your Calendars for the next Community Ambassador Call on May 9th!

This month's Community Ambassador call is on May 9th at 9a & 3p PDT. Please keep an eye out in your private messages and Teams channels for your invitation. There are lots of exciting updates coming to the Community, and we have some exclusive opportunities to share with you! As always, we'll also review regular updates for User Groups, Super Users, and share general information about what's going on in the Community.     Be sure to register & we hope to see all of you there!

April 2024 Community Newsletter

We're pleased to share the April Community 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 follow the latest News & Announcements 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 PagesWarrenBelzDeenujialexander2523ragavanrajanLaurensMManishSolankiMattJimisonLucas001AmikcapuanodanilostephenrobertOliverRodriguestimlAndrewJManikandanSFubarmmbr1606VishnuReddy1997theMacResolutionsVishalJhaveriVictorIvanidzejsrandhawahagrua33ikExpiscornovusFGuerrero1PowerAddictgulshankhuranaANBExpiscornovusprathyooSpongYeNived_Nambiardeeksha15795apangelesGochixgrantjenkinsvasu24Mfon   LATEST NEWS Business Applications Launch Event - On Demand In case you missed the Business Applications Launch Event, you can now catch up on all the announcements and watch the entire event on-demand inside Charles Lamanna's latest cloud blog.   This is your one stop shop for all the latest Copilot features across Power Platform and #Dynamics365, including first-hand looks at how companies such as Lenovo, Sonepar, Ford Motor Company, Omnicom and more are using these new capabilities in transformative ways. Click the image below to watch today!     Power Platform Community Conference 2024 is here! It's time to look forward to the next installment of the Power Platform Community Conference, which takes place this year on 18-20th September 2024 at the MGM Grand in Las Vegas!   Come and be inspired by Microsoft senior thought leaders and the engineers behind the #PowerPlatform, with Charles Lamanna, Sangya Singh, Ryan Cunningham, Kim Manis, Nirav Shah, Omar Aftab and Leon Welicki already confirmed to speak. You'll also be able to learn from industry experts and Microsoft MVPs who are dedicated to bridging the gap between humanity and technology. These include the likes of Lisa Crosbie, Victor Dantas, Kristine Kolodziejski, David Yack, Daniel Christian, Miguel Félix, and Mats Necker, with many more to be announced over the coming weeks.   Click here to watch our brand-new sizzle reel for #PPCC24 or click the image below to find out more about registration. See you in Vegas!     Power Up Program Announces New Video-Based Learning Hear from Principal Program Manager, Dimpi Gandhi, to discover the latest enhancements to the Microsoft #PowerUpProgram. These include a new accelerated video-based curriculum crafted with the expertise of Microsoft MVPs, Rory Neary and Charlie Phipps-Bennett. If you’d like to hear what’s coming next, click the image below to find out more!     UPCOMING EVENTS Microsoft Build - Seattle and Online - 21-23rd May 2024 Taking place on 21-23rd May 2024 both online and in Seattle, this is the perfect event to learn more about low code development, creating copilots, cloud platforms, and so much more to help you unleash the power of AI.   There's a serious wealth of talent speaking across the three days, including the likes of Satya Nadella, Amanda K. Silver, Scott Guthrie, Sarah Bird, Charles Lamanna, Miti J., Kevin Scott, Asha Sharma, Rajesh Jha, Arun Ulag, Clay Wesener, and many more.   And don't worry if you can't make it to Seattle, the event will be online and totally free to join. Click the image below to register for #MSBuild today!     European Collab Summit - Germany - 14-16th May 2024 The clock is counting down to the amazing European Collaboration Summit, which takes place in Germany May 14-16, 2024. #CollabSummit2024 is designed to provide cutting-edge insights and best practices into Power Platform, Microsoft 365, Teams, Viva, and so much more. There's a whole host of experts speakers across the three-day event, including the likes of Vesa Juvonen, Laurie Pottmeyer, Dan Holme, Mark Kashman, Dona Sarkar, Gavin Barron, Emily Mancini, Martina Grom, Ahmad Najjar, Liz Sundet, Nikki Chapple, Sara Fennah, Seb Matthews, Tobias Martin, Zoe Wilson, Fabian Williams, and many more.   Click the image below to find out more about #ECS2024 and register today!   Microsoft 365 & Power Platform Conference - Seattle - 3-7th June If you're looking to turbo boost your Power Platform skills this year, why not take a look at everything TechCon365 has to offer at the Seattle Convention Center on June 3-7, 2024.   This amazing 3-day conference (with 2 optional days of workshops) offers over 130 sessions across multiple tracks, alongside 25 workshops presented by Power Platform, Microsoft 365, Microsoft Teams, Viva, Azure, Copilot and AI experts. There's a great array of speakers, including the likes of Nirav Shah, Naomi Moneypenny, Jason Himmelstein, Heather Cook, Karuana Gatimu, Mark Kashman, Michelle Gilbert, Taiki Y., Kristi K., Nate Chamberlain, Julie Koesmarno, Daniel Glenn, Sarah Haase, Marc Windle, Amit Vasu, Joanne C Klein, Agnes Molnar, and many more.   Click the image below for more #Techcon365 intel and register today!   For more events, click the image below to visit the Microsoft Community Days website.    

Tuesday Tip | Update Your Community Profile Today!

It's time for another TUESDAY TIPS, your weekly connection with the most insightful tips and tricks that empower both newcomers and veterans in the Power Platform Community! Every Tuesday, we bring you a curated selection of the finest advice, distilled from the resources and tools in the Community. Whether you’re a seasoned member or just getting started, Tuesday Tips are the perfect compass guiding you across the dynamic landscape of the Power Platform Community.   We're excited to announce that updating your community profile has never been easier! Keeping your profile up to date is essential for staying connected and engaged with the community.   Check out the following Support Articles with these topics: Accessing Your Community ProfileRetrieving Your Profile URLUpdating Your Community Profile Time ZoneChanging Your Community Profile Picture (Avatar)Setting Your Date Display Preferences Click on your community link for more information: Power Apps, Power Automate, Power Pages, Copilot Studio   Thank you for being an active part of our community. Your contributions make a difference! Best Regards, The Community Management Team

Hear what's next for the Power Up Program

Hear from Principal Program Manager, Dimpi Gandhi, to discover the latest enhancements to the Microsoft #PowerUpProgram, including a new accelerated video-based curriculum crafted with the expertise of Microsoft MVPs, Rory Neary and Charlie Phipps-Bennett. If you’d like to hear what’s coming next, click the link below to sign up today! https://aka.ms/PowerUp  

Tuesday Tip: Community User Groups

It's time for another TUESDAY TIPS, your weekly connection with the most insightful tips and tricks that empower both newcomers and veterans in the Power Platform Community! Every Tuesday, we bring you a curated selection of the finest advice, distilled from the resources and tools in the Community. Whether you’re a seasoned member or just getting started, Tuesday Tips are the perfect compass guiding you across the dynamic landscape of the Power Platform Community.   As our community family expands each week, we revisit our essential tools, tips, and tricks to ensure you’re well-versed in the community’s pulse. Keep an eye on the News & Announcements for your weekly Tuesday Tips—you never know what you may learn!   Today's Tip: Community User Groups and YOU Being part of, starting, or leading a User Group can have many great benefits for our community members who want to learn, share, and connect with others who are interested in the Microsoft Power Platform and the low-code revolution.   When you are part of a User Group, you discover amazing connections, learn incredible things, and build your skills. Some User Groups work in the virtual space, but many meet in physical locations, meaning you have several options when it comes to building community with people who are learning and growing together!   Some of the benefits of our Community User Groups are: Network with like-minded peers and product experts, and get in front of potential employers and clients.Learn from industry experts and influencers and make your own solutions more successful.Access exclusive community space, resources, tools, and support from Microsoft.Collaborate on projects, share best practices, and empower each other. These are just a few of the reasons why our community members love their User Groups. Don't wait. Get involved with (or maybe even start) a User Group today--just follow the tips below to get started.For current or new User Group leaders, all the information you need is here: User Group Leader Get Started GuideOnce you've kicked off your User Group, find the resources you need:  Community User Group ExperienceHave questions about our Community User Groups? Let us know! We are here to help you!

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