Month: October 2024
Ho do I convert JPG to ICO on Windows 10 computer?
Ho do I convert JPG images to ICO format on Windows 10? I have several images that I’d like to use as icons, but I’m unsure of the best method to perform this conversion. I’ve tried a few online converters, but I want to ensure that the quality remains high and that the process is straightforward.
If anyone could provide a step-by-step guide or recommend reliable software for this task, I’m eager to find a solution that works efficiently on my Windows 10 computer without compromising the integrity of the images.
Ho do I convert JPG images to ICO format on Windows 10? I have several images that I’d like to use as icons, but I’m unsure of the best method to perform this conversion. I’ve tried a few online converters, but I want to ensure that the quality remains high and that the process is straightforward. If anyone could provide a step-by-step guide or recommend reliable software for this task, I’m eager to find a solution that works efficiently on my Windows 10 computer without compromising the integrity of the images. Read More
Bulk upload of phone number in Authentication mehtod.
How to upload phone number in bulk under Entra id’s user authentication method.
How to upload phone number in bulk under Entra id’s user authentication method. Read More
Embracing Responsible AI: Measure and Mitigate Risks for a Generative AI App in Azure AI Studio
Hello Students, AI Enthusiasts, Developers, and Innovators!
Artificial intelligence has taken the world by storm, redefining the way businesses operate and innovate. Whether you’re an experienced developer or a beginner looking to break into the world of AI, Azure AI Studio offers a robust platform for creating cutting-edge AI applications responsibly and securely.
I recently had the opportunity to dive into the Microsoft Learn module: Measure and Mitigate Risks for a Generative AI App in Azure AI Studio. It’s an incredible resource that walks you through every step of building and refining a responsible AI application. Today, I’d like to share my experience and encourage you to embark on this journey too, gaining essential skills in the process.
Why Should You Take This Module?
AI holds immense potential, but with that power comes responsibility—particularly when creating generative AI applications. This module offers a thorough, step-by-step guide that not only teaches you the technical aspects of Azure AI but also helps you understand how to minimize risks and ensure responsible AI development.
Whether you’re just getting started with AI or looking to expand your knowledge, this module is ideal because:
Beginner-Friendly: Even if you’re new to Azure AI Studio, the concepts are explained clearly, ensuring you can follow along and build confidence.
Hands-On Learning: You’ll engage with real-world scenarios, comparing, deploying, and interacting with models to build a generative AI app.
Risk Mitigation: It emphasizes safety—teaching you how to create system messages, set up content filters, and evaluate your models to safeguard against inappropriate prompts.
Highlights from the Module
Overview and Prerequisites: You’ll kick off with an introduction to the course objectives and get a list of what’s needed, including an Azure subscription (you can create one for free).
Deploying Models: You’ll learn how to choose from a vast catalog of models and deploy one suited for generative AI applications. You’ll even get to interact with your model using the chat playground—an excellent hands-on feature.
Ground Your Model with Data: Using Retrieval Augmented Generation (RAG), you’ll learn how to upload your own data and index it, ensuring your model provides relevant and data-driven responses.
Safety Features: A standout part of the module is how it guides you to set up system messages and content filters, making your model safer by handling sensitive or inappropriate prompts.
Evaluation Process: You’ll explore both manual and automated evaluations to assess the quality and safety of your model’s responses. This is crucial for refining the app and ensuring its robustness before deployment.
Knowledge Check: At the end of the module, you’ll take a knowledge check to ensure your understanding. Plus, you’ll earn a badge—perfect for showcasing your skills on LinkedIn or in your portfolio.
My Experience
Going through this module was a rewarding experience, providing me with both technical insights and practical steps to build more responsible AI applications. It challenged me to think critically about the risks involved in AI, especially in the generative space. Completing the module also gave me the confidence to implement these practices in my projects.
Ready to Dive In?
If you’re looking to enhance your AI skills and build applications that prioritize safety and responsibility, I highly recommend this Microsoft Learn module. Not only will you deepen your understanding of Azure AI Studio, but you’ll also gain crucial skills in risk mitigation—an area that is becoming increasingly important as AI continues to evolve.
Visit Microsoft Learn today and start your journey towards mastering responsible AI development. Let’s build the future of AI together—safely and ethically.
Resources to Get Started:
Measure and Mitigate Risks for a Generative AI App in Azure AI Studio
Create Your Azure Subscription
Embrace responsible AI principles and practices
Microsoft Tech Community – Latest Blogs –Read More
How to Set Directory Synchronization Features with the Graph
UPN and sAMAccountName Updates and Entra ID Directory Synchronization Features
The other day, I received a note from an Office 365 for IT Pros reader to say that they’d perused the book to seek advice about how best to handle the situation when someone needs to change their name, usually because of marriage or divorce. The reader says that their usual practice is to change the user’s email address in Active Directory, but that they avoid changing the user principal name and sAMAccountName because changing “either or both of those attributes breaks their connection with Microsoft 365 services when the sync occurs.”
Microsoft documents issues that can occur when a user principal name changes, and there are quite a few forum discussions about changing attributes in Active Directory (here’s an example). We don’t cover directory synchronization in the Office 365 for IT Pros eBook. We used to, but then relegated the coverage to the companion volume, and then we dropped the companion volume because most of its material had aged significantly.
Use a Depreciated Module to Set Directory Synchronization Features
Seeing that I had no good answer for our reader, I pushed the question to Brian Desmond, who looks after the Entra ID chapter in the book. His response was “Changing the UPN or sAMAccountName [for a user account] should not break the sync process because Entra Connect uses their objectGUID in AD as the anchor. That said, you need to turn on the SynchronizeUpnForManagedUsers feature for that change to work right.”
Brian went on to reference the Set-MsolDirSyncFeature cmdlet as the way to enable the SynchronizeUpnForManagedUsers feature. The cmdlet is from the MSOL (Microsoft Online Services) module, which is depreciated and due for final retirement on March 30, 2025. The question then is how to set the feature without using a soon-to-be-removed cmdlet?
The Graph Answer for Managing Directory Synchronization Features
The answer is to use the UpdateonPremisesDirectorySynchronization Graph API to update the properties of the onPremisesDirectorySynchronizationFeature resource type, where we discover that synchronizeUpnForManagedUsersEnabled is a Boolean property.
Where there’s a Graph API, there’s a Microsoft Graph PowerShell SDK cmdlet. In this case, the Update-MgDirectoryOnPremiseSynchronization cmdlet (I’ve already flagged the error in referring to “OnPremises” as “OnPremise;” and yes, these things matter).
Here’s how to update two directory synchronization feature settings with the Graph SDK cmdlet. First, find the identifier for the directory synchronization object in the tenant:
$SyncId = Get-MgDirectoryOnPremiseSynchronization | Select-Object -ExpandProperty Id
Now build a hash table for the features to enable (or disable). The keys for the hash table must match (including casing) the properties described here.
$Features = @{}
$Features.Add(“softMatchOnUpnEnabled”,$true)
$Features.Add(“synchronizeUpnForManagedUsersEnabled”,$true)
Finally, build another hash table to hold the parameters for the update cmdlet and run the cmdlet:
$Parameters = @{}
$Parameters.Add(“features”,$Features)
Update-MgDirectoryOnPremiseSynchronization -OnPremisesDirectorySynchronizationId $SyncId -BodyParameter $Parameters
To check the current state of the directory synchronization settings, run the Get-MgDirectoryOnPremiseSynchronization cmdlet:
Get-MgDirectoryOnPremiseSynchronization | Select-Object -ExpandProperty Features | fl
BlockCloudObjectTakeoverThroughHardMatchEnabled : False
BlockSoftMatchEnabled : False
BypassDirSyncOverridesEnabled : False
CloudPasswordPolicyForPasswordSyncedUsersEnabled : False
ConcurrentCredentialUpdateEnabled : False
ConcurrentOrgIdProvisioningEnabled : False
DeviceWritebackEnabled : False
DirectoryExtensionsEnabled : False
FopeConflictResolutionEnabled : False
GroupWriteBackEnabled : False
PasswordSyncEnabled : False
PasswordWritebackEnabled : False
QuarantineUponProxyAddressesConflictEnabled : False
QuarantineUponUpnConflictEnabled : False
SoftMatchOnUpnEnabled : True
SynchronizeUpnForManagedUsersEnabled : True
UnifiedGroupWritebackEnabled : False
UserForcePasswordChangeOnLogonEnabled : False
UserWritebackEnabled : False
AdditionalProperties : {}
Entra PowerShell Module’s Directory Synchronization Feature Cmdlets
And because Microsoft introduced the Entra PowerShell module in preview in June 2024 specifically to help customers migrate away from the depreciated AzureAD and MSOL modules, there’s also the Set-EntraDirSyncFeature cmdlet. Microsoft handcrafted the cmdlets in the Entra module to make them more PowerShell-like than Graph-like, so this cmdlet is the easiest one to use.
To make the change, I installed the latest version of the Entra preview module (Figure 1) from the PowerShell gallery, and then ran:
Import-Module Microsoft.Graph.Entra
Connect-Entra -Scopes OnPremDirectorySynchronization.ReadWrite.All
Set-EntraDirSyncFeature -Feature SynchronizeUpnForManagedUsers -Enabled:$true
The Get-EntraDirSyncFeature cmdlet reveals the current state for directory synchronization features:
Get-EntraDirSyncFeature
Enabled DirSyncFeature
——- ————–
False BlockCloudObjectTakeoverThroughHardMatch
False BlockSoftMatch
False BypassDirSyncOverrides
False CloudPasswordPolicyForPasswordSyncedUsers
False ConcurrentCredentialUpdate
False ConcurrentOrgIdProvisioning
False DeviceWriteback
False DirectoryExtensions
False FopeConflictResolution
False GroupWriteBack
False PasswordSync
False PasswordWriteback
False QuarantineUponProxyAddressesConflict
False QuarantineUponUpnConflict
True SoftMatchOnUpn
True SynchronizeUpnForManagedUsers
False UnifiedGroupWriteback
False UserForcePasswordChangeOnLogon
False UserWriteback
Each directory synchronization feature must be managed separately. You can’t enable or disable several features in one operation.
Any Lingering Synchronization Issues?
Although I discovered how to replace the old MSOL cmdlet with a new Entra cmdlet to set directory synchronization features, I still didn’t find out if people encounter synchronization issues after updating on-premises user account properties like the user principal name and sAMAccountName. If you’ve had problems that you couldn’t resolve, note them as a comment. Maybe someone else will have a solution.
Insight like this doesn’t come easily. You’ve got to know the technology and understand how to look behind the scenes. Benefit from the knowledge and experience of the Office 365 for IT Pros team by subscribing to the best eBook covering Office 365 and the wider Microsoft 365 ecosystem.
Question about file download on MS Teams app
Dear Sir
I’m developing Tab app for MS Teams application.
We need a file download feature on the Tab app, which is executed by Web hosting.
The thing is that it takes around one minute to download the file.
Therefore, for customer notice, I want to know about if the file download is completed or not.
Is there a API related to this feature?
Many thanks
BH
Dear SirI’m developing Tab app for MS Teams application.We need a file download feature on the Tab app, which is executed by Web hosting.The thing is that it takes around one minute to download the file. Therefore, for customer notice, I want to know about if the file download is completed or not.Is there a API related to this feature?Many thanksBH Read More
Community Fundraiser
PLEASE READ!!!!!
My name is Yasamin, and I’m a senior at WSU Tri-Cities (Go Cougs!!) as well as a technical intern at a national laboratory. I’m reaching out to ask for your support in spreading the word about two projects I’m working on with my clubs at WSU Tri-Cities.
Muslim Students Association (MSA) Fundraiser:
We’re raising funds to create care packages for the less fortunate in our community, including items like scarves, hats, gloves, and hygiene supplies to help them through the harsh winter. We’re collaborating with the Gospel Union to make this mission a success.
Link for MSA Fundraiser: https://cougstarter.wsu.edu/project/44183
Pre-Health Club Fundraiser:
Our goal is to raise funds for a visit to the WSU Elson S. Floyd College of Medicine in Spokane, where students will have the opportunity to learn about the admissions process and explore campus life. The funds will help cover transportation and food for the trip.
Link for Pre-Health Club Fundraiser: https://cougstarter.wsu.edu/project/43877
We’re accepting donations through October 30, 2024. Any help spreading the word or contributing to these projects would mean a lot! Please check out the links or scan the QR codes in the flyers to learn more.
Thank you so much for your support!
PLEASE READ!!!!! My name is Yasamin, and I’m a senior at WSU Tri-Cities (Go Cougs!!) as well as a technical intern at a national laboratory. I’m reaching out to ask for your support in spreading the word about two projects I’m working on with my clubs at WSU Tri-Cities.Muslim Students Association (MSA) Fundraiser:We’re raising funds to create care packages for the less fortunate in our community, including items like scarves, hats, gloves, and hygiene supplies to help them through the harsh winter. We’re collaborating with the Gospel Union to make this mission a success.Link for MSA Fundraiser: https://cougstarter.wsu.edu/project/44183 Pre-Health Club Fundraiser:Our goal is to raise funds for a visit to the WSU Elson S. Floyd College of Medicine in Spokane, where students will have the opportunity to learn about the admissions process and explore campus life. The funds will help cover transportation and food for the trip.Link for Pre-Health Club Fundraiser: https://cougstarter.wsu.edu/project/43877 We’re accepting donations through October 30, 2024. Any help spreading the word or contributing to these projects would mean a lot! Please check out the links or scan the QR codes in the flyers to learn more.Thank you so much for your support! Read More
Copilot überarbeitet angeblich eine Präsentation für mich stellt mir diese aber nie zur Verfügung
Hallo zusammen,
ich habe Copilot unsere Unternehmenspräsentation hochgeladen und gebeten diese auf Basis unserer neuen Homepage zu überarbeiten. Er behauptet auch das zu tun und erklärt das es einige Zeit dauert. Auf mehrmaliges Nachfragen erklärt er mir das ich die Datei herunterladen kann, allerdings funktioniert keine der angegeben Möglichkeiten. Verarscht er mich? 😉 Danke
Hallo zusammen, ich habe Copilot unsere Unternehmenspräsentation hochgeladen und gebeten diese auf Basis unserer neuen Homepage zu überarbeiten. Er behauptet auch das zu tun und erklärt das es einige Zeit dauert. Auf mehrmaliges Nachfragen erklärt er mir das ich die Datei herunterladen kann, allerdings funktioniert keine der angegeben Möglichkeiten. Verarscht er mich? 😉 Danke Read More
Groupcall with 2 PSTN numbers
Hello
Is it possible in Teams to have a conversation with 2 PSTN Numbers without having a meetininvite
The Usecase
1. No meeting
2. PSTN calls Teams Number
3. Teams User adds another PSTN number
4. 3 Users (2xPSTN, 1xTeams) talk to each other
If yes what are the conditions (policies)
Regards
JFM_12
HelloIs it possible in Teams to have a conversation with 2 PSTN Numbers without having a meetininvite The Usecase1. No meeting2. PSTN calls Teams Number3. Teams User adds another PSTN number4. 3 Users (2xPSTN, 1xTeams) talk to each other If yes what are the conditions (policies) Regards JFM_12 Read More
Demande d’information
Bonjour,
J’ai créer un graphique nuage de points et je souhaite changer les étiquettes de données. Avant j’avais la case “Etiquettes de données> Autres options> A partir d’une cellule”. Cependant on ne me propose plus cette option “A partir d’une cellule”, y a t il quelque chose à réactiver dans le ruban ou autre ?
Les options nom de série, valeur X et valeur Y sont toujours présente mais pas “A partir d’une plage de cellule”
Merci de votre retour
Bonjour,J’ai créer un graphique nuage de points et je souhaite changer les étiquettes de données. Avant j’avais la case “Etiquettes de données> Autres options> A partir d’une cellule”. Cependant on ne me propose plus cette option “A partir d’une cellule”, y a t il quelque chose à réactiver dans le ruban ou autre ?Les options nom de série, valeur X et valeur Y sont toujours présente mais pas “A partir d’une plage de cellule” Merci de votre retour Read More
Release Announcement of SQL Server Migration Assistant (SSMA) v 10.0
We are happy to announce the release of SQL Server Migration Assistant (SSMA) v 10.0.
Overview
SQL Server Migration Assistant (SSMA) Access, DB2, MySQL, Oracle, and SAP ASE (formerly SAP Sybase ASE) allow users to convert a database schema to a Microsoft SQL Server schema, deploy the schema, and then migrate data to the target SQL Server (see below for supported versions).
What’s new?
The latest release of SSMA enhances the assessment and conversion capabilities of the tool with a targeted set of fixes designed to improve quality and conversion metrics. This release includes the following:
Database Migration Service Integration [Oracle] [Preview]
Azure Database Migration Service now allows users to migrate databases from Oracle as the first heterogeneous source for SQL target workloads. This integration enables one-time data movement of Oracle tables to SQL tables through automated bulk copy activities.
Traditionally, Oracle databases are large, and client-side migration often resulted in scalability issues and frequent timeouts. This was a significant challenge and contributing highest number of support incidents for heterogenous migration scenario. With DMS integration, the benefits include:
Support for large database migrations
Retries to overcome transient errors
Scalability through additional Integration Runtime nodes
Free migration for customers
SKU Recommendation [ Oracle]
Users can now assess their Oracle workloads and generate suitable target SKU recommendations using performance data from the Automated Workload Repository (AWR). This feature addresses the gap in Database Migration Service for Oracle within Azure Data Studio, aligning with the retirement announcement of Database Migration Assessment for Oracle
.
Code Conversion Improvements [DB2]
Enhanced conversion of FETCH FIRST ROW ONLY syntax
Improved support for LOCATE_IN_STRING behavior
Support for range-partitioned tables in DB2-Z O/S
Better handling of the INCLUDE clause in indexes
Global Entra ID
Users can now authenticate using Entra ID at the global SSMA project level. Subsequent connections to the SQL target will also utilize Entra ID, providing:
A more secure default authentication method
Reduced reliance on SQL authentication
Elimination of multiple authentication steps during conversion and migration
Downloads
SSMA for Access
SSMA for DB2
SSMA for MySQL
SSMA for Oracle
SSMA for SAP ASE
Supported sources and target versions
Source: For the list of supported sources, please review the information on the Download Center for each of the above SQL Server Migration Assistant downloads.
Target: SQL Server 2016, SQL Server 2017, SQL Server 2019, Azure SQL Database, an Azure SQL Database managed instance
Resources
SQL Server Migration Assistant documentation
Microsoft Tech Community – Latest Blogs –Read More
Is there a “Reload app” api provided by MS Teams?
Dear Sir
I’m developing Tab app with Web hosting for MS Teams application.
Our app is hosting on AWS server.
In MS Teams desktop/Web app, If I run “Reload app”, It works fine.
And there is a Reload feature in our application (not Teams Reload).
This reload feature is “window.location.reload()”, which has some problem for AWS server.
So I wonder how “Reload app” feature is worked.
Is there any API about the “Reload app” of MS Teams?
Can you advise me about this.?
Many thanks
BH
Dear SirI’m developing Tab app with Web hosting for MS Teams application.Our app is hosting on AWS server.In MS Teams desktop/Web app, If I run “Reload app”, It works fine.And there is a Reload feature in our application (not Teams Reload). This reload feature is “window.location.reload()”, which has some problem for AWS server.So I wonder how “Reload app” feature is worked. Is there any API about the “Reload app” of MS Teams? Can you advise me about this.?Many thanksBH Read More
Fedora support after 38
Hi!
Looking at the documentation at Microsoft Defender for Endpoint on Linux – Microsoft Defender for Endpoint | Microsoft Learn, Fedora is listed as supported only up to 38. However, the repos include mdatp packages up to the newest Fedora version 41 currently. I also able to install the package and it seems to be running OK.
How should I interpret this? Is it just that Microsoft will not give any official guarantees after version 38?
Hi! Looking at the documentation at Microsoft Defender for Endpoint on Linux – Microsoft Defender for Endpoint | Microsoft Learn, Fedora is listed as supported only up to 38. However, the repos include mdatp packages up to the newest Fedora version 41 currently. I also able to install the package and it seems to be running OK. How should I interpret this? Is it just that Microsoft will not give any official guarantees after version 38? Read More
Fixing selected gridlines when importing a excel spreadsheet to a word document
How do you keep certain gridlines in an excel document when inserted to a word document?
How do you keep certain gridlines in an excel document when inserted to a word document? Read More
Revamped Forms experience is now available for commercial users
We’ve now revamped the end-to-end experience of Forms for commercial users, offering a sleek and intuitive design from start to finish! You can now enjoy a fresh, modern look across the landing/portal page, form creation, and response analysis. This exciting update makes creating, managing, and analyzing forms easier and more enjoyable than ever before. Let’s check the new experience together. You can also try the new experience in forms.office.com now.
Explore templates from the portal page
Now in the portal page, templates are organized into four categories – feedback, registration, research and quiz. You can choose one that suits your needs to start creating your form.
Access/switch between templates anytime
As you enter the design page, you’ll find a wide selection of templates displayed in the left-side pane. You can browse and switch between different types/topics and quickly find the perfect fit for your needs. Additionally, if you have a Microsoft 365 Copilot license, Copilot is always available to assist you throughout the process.
Customize style and layout
In the right-hand pane, from the style button, you can select a style from our suggestions or personalize your own. Additionally, you can choose the layout for the cover page of your invitation.
Versatile distribution options
When it’s time to send out the form, the new distribution interface allows you to adjust permission settings and send through URL, QR code, Outlook, or Teams. You can also engage with Copilot to help rewrite your distribution message.
New result page experience
The results page has also been completely revamped with a sleek, modern design. You can now quickly analyze responses with clear, visually engaging charts and graphs, making the data easier to interpret for more effective analysis.
Just go to forms.office.com and try out the revamped experience!
FAQ
Q: How do I check individual response and open results in Excel?
A: Open in Excel, individual results and other actions have been moved to a centralized area in right-side pane.
Q: How do I share the result summary with others?
A: Click on “…” on top-right corner and select “Share a summary link”.
Microsoft Tech Community – Latest Blogs –Read More
Azure Blogs – Articles from 14-Oct-2024 to 20-Oct-2024
AI + Machine Learning
Covering: Anomaly Detector, Azure Bot Services, Azure Cognitive Search, Azure ML, Azure Open Datasets, Azure Cognitive Services, Azure Video Indexer, Computer Vision, Content Moderator, Custom Vision, Data Science VM, Face API, Azure Form Recognizer, Azure Immersive Reader, Kinect DK, Language Understanding (LUIS), Microsoft Genomics, Personalizer, Project Bonsai, QnA Maker, Speaker recognition, Speech to Text, Speech translation, Cognitive Service for Language, Text to Speech, Translator, Azure Metrics Advisor, Health Bot, Azure Percept, Azure Applied AI Services, Azure OpenAI Service
Building an AI Dev Space With a Little Assistance from Aspire
Azure PostgreSQL with Azure Open AI to innovate Banking Apps: Unlocking the Power of AI Extension
Evaluating generative AI: Best practices for developers
Responsible AI: from principles to practice – New Blog Series
Generative AI with JavaScript FREE course
Bot Framework: Build an AI Security Assistant with ease
Coming in November: AI-3022: Implement AI Skills in Azure AI Search
Building a Contextual Retrieval System for Improving RAG Accuracy
New Hugging Face Models on Azure AI: Phi-3 Variants from the Community
Unveiling the Microsoft ISV AI Envisioning Day: Get the Framework to Develop AI Solutions
Selecting the Optimal Container for Azure AI: Docker, ACI, or AKS?
Virtual Event: How to support your customers in navigating the Regulatory and AI landscape today.
Certificación AI-900 (Fundamentos de IA) con Chicas en IA
Mastering AI adoption: Essentials to building, operating and optimizing GenAI workloads on Azure
Responsible Synthetic Data Creation for Fine-Tuning with RAFT Distillation
Pytorch PEFT SFT and convert to ONNX Runtime
Analytics
Covering: Azure Analysis Services, Azure Data Explorer, Azure Data Factory, Azure Data Lake Storage, Azure Data Share, Azure Databricks, Azure Stream Analytics, Azure Synapse Analytics, Data Catalog, Data Lake Analytics, HDInsight, Power BI Embedded, R Server for HDInsight, Microsoft Purview, Microsoft Graph Data Connect, Azure Chaos Studio
Updated Fabric GitHub Repo for 250M rows of CMS Healthcare data
Performing ETL in Real-Time Intelligence with Microsoft Fabric
Azure SQL Managed Instance Cross Subscription Database Restore using Azure Data Factory
Create Azure Data Factory Managed Private Links
Bot Framework: Build an AI Security Assistant with ease
New Low-Cost Log Options, Automation, AI & SIEM Migration | Microsoft Sentinel Updates
Securing Your Data Pipelines: Best Practices for Fabric Data Factory
Cross Subscription Database Restore for SQL Managed Instance Database with TDE enabled using ADF
Compute
Covering: Azure CycleCloud, Azure Quantum, Azure Spot Virtual Machines, Azure VMware Solution, Batch, Linux Virtual Machines, Virtual Machine Scale Sets, Virtual Machines, Azure Dedicated Host, Azure VM Image Builder, Azure Functions, Service Fabric
OpenHCL: the new, open source paravisor
Announcing the open sourcing of OpenHCL
Microsoft Virtualization Migration Options
Comprehensive Nvidia GPU Monitoring for Azure N-Series VMs Using Telegraf with Azure Monitor
VMware HCX Troubleshooting with Azure VMware Solution
Rapidly scope NC2 on Azure using Nutanix Sizer
Azure VMware Solution Security Design Considerations
Azure Elastic SAN for Azure VMware Solution: now Generally Available
Announcing Public Preview of new attach/detach disks API for VMs/VMSS
Fine-tuning a Hugging Face Diffusion Model on CycleCloud Workspace for Slurm
Deploying HCX for VM Migration – Part 1
Seeking Advice for Automating VMSS Scaling Based on On-Premises SQL Data
Azure Cobalt 100-based Virtual Machines are now generally available
Routing options for VMs from Private Subnets
Containers
Covering: Azure Kubernetes Service (AKS), Azure Red Hat OpenShift, Azure Container Apps, Web App for Containers, Azure Container Instances, Azure Container Registry
Selecting the Optimal Container for Azure AI: Docker, ACI, or AKS?
Databases
Covering: Azure Cache for Redis, Azure Cosmos DB, Azure Database for MariaDB, Azure Database for MySQL, Azure Database for PostgreSQL, Azure SQL, Azure SQL Database, Azure SQL Edge, Azure SQL Managed Instance, SQL Server on Azure VM, Table Storage, Azure Managed Instance for Apache Cassandra, Azure Confidential Ledger
Deploying .dacpacs to Multiple Environments via ADO Pipelines
Azure PostgreSQL with Azure Open AI to innovate Banking Apps: Unlocking the Power of AI Extension
Connect Azure Cosmos DB for PostgreSQL to your ASP.NET Core application.
Azure Database for MySQL – September 2024 updates and latest feature roadmap
September 2024 Recap: Azure Postgres Flexible Server
Online disaster recovery between SQL Server 2022 and Azure SQL Managed Instance is now GA
Cross Subscription Database Restore for SQL Managed Instance Database with TDE enabled using ADF
Develop a Library Web API: Integrating Azure Cosmos DB for MongoDB with ASP.NET Core
Lesson Learned #510: Using CProfiler to Analyze Python Call Performance in Support Scenarios
Failed to Restore SQL Managed Instance Database Backup from Azure Blob Storage
Seeking Advice for Automating VMSS Scaling Based on On-Premises SQL Data
Migrating from Amazon QLDB to ledger tables in Azure SQL Database: A Comprehensive Guide
Developer Tools
Covering: App Configuration, Azure DevTest Labs, Azure Lab Services, SDKs, Visual Studio, Visual Studio Code, Azure Load Testing
Catch the highlights from Azure Developers – .NET Aspire Day 2024!
Building an AI Dev Space With a Little Assistance from Aspire
How we build GitHub Copilot into Visual Studio
What’s new in System.Text.Json in .NET 9
Evaluating generative AI: Best practices for developers
Building Real-Time Web Apps with SignalR, WebAssembly, and ASP.NET Core API
Automate Markdown and Image Translations Using Co-op Translator: Phi-3 Cookbook Case Study
Breaking change for Window Server 2022 Image Users with .NET 6
Generative AI with JavaScript FREE course
GitHub e GitHub Copilot – Raccolta di risorse utili
Building Web Apps – A 6-Lesson Course on Linkedin Learning
DevOps
Covering: Azure Artifacts, Azure Boards, Azure DevOps, Azure Pipelines, Azure Repos, Azure Test Plans, DevOps tool integrations, Azure Load Testing
Deploying .dacpacs to Multiple Environments via ADO Pipelines
GitHub e GitHub Copilot – Raccolta di risorse utili
Career growth, learning, and fun, oh my! Your guide to GitHub Universe 2024
GitHub for Nonprofits: Drive social impact one commit at a time
Certifícate con Learn Live GitHub en Español
Get certified with Learn Live GitHub series!
Hybrid
Covering: Microsoft Azure Stack, Azure Arc
New features for Azure Virtual Desktop for Azure Stack HCI
Identity
Covering: Azure Active Directory, Multi-factor Authentication, Azure Active Directory Domain Services, Azure Active Directory External Identities
No New Articles
Integration
Covering: API Management, Event Grid, Logic Apps , Service Bus
Announcement: Introducing the Logic Apps Hybrid Deployment Model (Public Preview)
Recap of Logic Apps Community Day 2024
Upload file with non-ASCII filename in Http request via multipart/form-data in Logic App STD
Internet Of Things
Covering: Azure IoT Central, Azure IoT Edge, Azure IoT Hub, Azure RTOS, Azure Sphere, Azure Stream Analytics, Azure Time Series Insights, Microsoft Defender for IoT, Azure Percept, Windows for IoT
Strengthening Security in Azure IoT Hub: Transitioning to TLS 1.2+ and Planning for TLS 1.3
Management and Governance
Covering: Automation, Azure Advisor, Azure Backup, Azure Blueprints, Azure Lighthouse, Azure Monitor, Azure Policy, Azure Resource Manager, Azure Service Health, Azure Site Recovery, Cloud Shell, Cost Management, Azure Portal, Network Watcher, Azure Automanage, Azure Resource Mover, Azure Chaos Studio, Azure Managed Grafana
Join Marketplace at Microsoft Ignite!
Secure, High-Performance Networking for Data-Intensive Kubernetes Workloads
Advanced Alerting Strategies for Azure Monitoring
Accelerating industry-wide innovations in datacenter infrastructure and security
Migration
Covering: Azure Database Migration Service, Azure Migrate, Data Box, Azure Site Recovery
Microsoft Virtualization Migration Options
Mixed Reality
Covering: Digital Twins, Kinect DK, Spatial Anchors, Remote Rendering, Object Anchors
No New Articles
Mobile
Covering: Azure Maps, MAUI, Notification Hubs, Visual Studio App Center, Xamarin, Azure Communication Services
No New Articles
Networking
Covering: Application Gateway, Bastion, DDoS Protection, DNS, Azure ExpressRoute, Azure Firewall, Load Balancer, Firewall Manager, Front Door, Internet Analyzer, Azure Private Link, Content Delivery Network, Network Watcher, Traffic Manager, Virtual Network, Virtual WAN, VPN Gateway, Web Application Firewall, Azure Orbital, Route Server, Network Function Manager, Virtual Network Manager, Azure Private 5G Core
Transition from VNET integration to public access or Private Link using the Azure CLI
Routing options for VMs from Private Subnets
Security
Covering: Defender for Cloud, DDoS Protection, Dedicated HSM, Azure Information Protection, Microsoft Sentinel, Key Vault, Microsoft Defender for Cloud, Microsoft Defender for IoT, Microsoft Azure Attestation, Azure Confidential Ledger
New Copilot for Security Plugin Name Reflects Broader Capabilities
New Low-Cost Log Options, Automation, AI & SIEM Migration | Microsoft Sentinel Updates
Phish, Click, Breach: Hunting for a Sophisticated Cyber Attack
Welcome to the Microsoft Incident Response Ninja Hub
Save money on your Sentinel ingestion costs with Data Collection Rules
What to do if your Sentinel Data Connector shows as [DEPRECATED]
Welcome to the Microsoft Defender Experts Ninja Hub
Escalating cyber threats demand stronger global defense and cooperation
Leverage Microsoft Azure tools to navigate NIS2 compliance
Storage
Covering: Archive Storage, Avere vFXT for Azure, Azure Data Lake Storage, Azure Data Share, Files, FXT Edge Filer, HPC Cache, NetApp Files, Blob Storage, Data Box, Disk Storage, Queue Storage, Storage Accounts, Storage Explorer, StorSimple
Accelerate metadata heavy workloads with Metadata Caching preview for Azure Premium Files SMB & REST
Failed to Restore SQL Managed Instance Database Backup from Azure Blob Storage
Web
Covering: App Configuration, App Service, Azure Cognitive Search, Azure Maps, Azure SignalR Service, Static Web Apps, Azure Communication Services, Azure Web PubSub, Azure Fluid Relay, Web App for Containers
Deploy Mkdocs page on Azure Web App
How to Test Network on Linux Web App with Limited Tools
Azure Virtual Desktop
Covering: Windows Virtual Desktop, VMware Horizon Cloud on Microsoft Azure, Citrix Virtual Apps and Desktops for Azure
New features for Azure Virtual Desktop for Azure Stack HCI
AI + Machine Learning
Covering: Anomaly Detector, Azure Bot Services, Azure Cognitive Search, Azure ML, Azure Open Datasets, Azure Cognitive Services, Azure Video Indexer, Computer Vision, Content Moderator, Custom Vision, Data Science VM, Face API, Azure Form Recognizer, Azure Immersive Reader, Kinect DK, Language Understanding (LUIS), Microsoft Genomics, Personalizer, Project Bonsai, QnA Maker, Speaker recognition, Speech to Text, Speech translation, Cognitive Service for Language, Text to Speech, Translator, Azure Metrics Advisor, Health Bot, Azure Percept, Azure Applied AI Services, Azure OpenAI Service
Building an AI Dev Space With a Little Assistance from Aspire
Azure PostgreSQL with Azure Open AI to innovate Banking Apps: Unlocking the Power of AI Extension
Evaluating generative AI: Best practices for developers
Responsible AI: from principles to practice – New Blog Series
Generative AI with JavaScript FREE course
Bot Framework: Build an AI Security Assistant with ease
Azure AI for an API Platform
Coming in November: AI-3022: Implement AI Skills in Azure AI Search
Building a Contextual Retrieval System for Improving RAG Accuracy
New Hugging Face Models on Azure AI: Phi-3 Variants from the Community
Unveiling the Microsoft ISV AI Envisioning Day: Get the Framework to Develop AI Solutions
Selecting the Optimal Container for Azure AI: Docker, ACI, or AKS?
Virtual Event: How to support your customers in navigating the Regulatory and AI landscape today.
Certificación AI-900 (Fundamentos de IA) con Chicas en IA
Mastering AI adoption: Essentials to building, operating and optimizing GenAI workloads on Azure
Responsible Synthetic Data Creation for Fine-Tuning with RAFT Distillation
Pytorch PEFT SFT and convert to ONNX Runtime
Analytics
Covering: Azure Analysis Services, Azure Data Explorer, Azure Data Factory, Azure Data Lake Storage, Azure Data Share, Azure Databricks, Azure Stream Analytics, Azure Synapse Analytics, Data Catalog, Data Lake Analytics, HDInsight, Power BI Embedded, R Server for HDInsight, Microsoft Purview, Microsoft Graph Data Connect, Azure Chaos Studio
Updated Fabric GitHub Repo for 250M rows of CMS Healthcare data
Performing ETL in Real-Time Intelligence with Microsoft Fabric
Azure SQL Managed Instance Cross Subscription Database Restore using Azure Data Factory
Create Azure Data Factory Managed Private Links
Bot Framework: Build an AI Security Assistant with ease
New Low-Cost Log Options, Automation, AI & SIEM Migration | Microsoft Sentinel Updates
Securing Your Data Pipelines: Best Practices for Fabric Data Factory
Cross Subscription Database Restore for SQL Managed Instance Database with TDE enabled using ADF
Compute
Covering: Azure CycleCloud, Azure Quantum, Azure Spot Virtual Machines, Azure VMware Solution, Batch, Linux Virtual Machines, Virtual Machine Scale Sets, Virtual Machines, Azure Dedicated Host, Azure VM Image Builder, Azure Functions, Service Fabric
OpenHCL: the new, open source paravisor
Announcing the open sourcing of OpenHCL
Microsoft Virtualization Migration Options
Comprehensive Nvidia GPU Monitoring for Azure N-Series VMs Using Telegraf with Azure Monitor
VMware HCX Troubleshooting with Azure VMware Solution
Rapidly scope NC2 on Azure using Nutanix Sizer
Azure VMware Solution Security Design Considerations
Azure Elastic SAN for Azure VMware Solution: now Generally Available
Announcing Public Preview of new attach/detach disks API for VMs/VMSS
Fine-tuning a Hugging Face Diffusion Model on CycleCloud Workspace for Slurm
Deploying HCX for VM Migration – Part 1
Seeking Advice for Automating VMSS Scaling Based on On-Premises SQL Data
Azure Cobalt 100-based Virtual Machines are now generally available
Routing options for VMs from Private Subnets
Containers
Covering: Azure Kubernetes Service (AKS), Azure Red Hat OpenShift, Azure Container Apps, Web App for Containers, Azure Container Instances, Azure Container Registry
Selecting the Optimal Container for Azure AI: Docker, ACI, or AKS?
Kubernetes – Consumo de memória elevado em aplicações que escrevem em disco
Accelerating Java Applications on Azure Kubernetes Service with CRaC
Secure, High-Performance Networking for Data-Intensive Kubernetes Workloads
Databases
Covering: Azure Cache for Redis, Azure Cosmos DB, Azure Database for MariaDB, Azure Database for MySQL, Azure Database for PostgreSQL, Azure SQL, Azure SQL Database, Azure SQL Edge, Azure SQL Managed Instance, SQL Server on Azure VM, Table Storage, Azure Managed Instance for Apache Cassandra, Azure Confidential Ledger
Deploying .dacpacs to Multiple Environments via ADO Pipelines
Azure PostgreSQL with Azure Open AI to innovate Banking Apps: Unlocking the Power of AI Extension
Connect Azure Cosmos DB for PostgreSQL to your ASP.NET Core application.
Azure Cosmos DB for MongoDB
Azure Database for MySQL – September 2024 updates and latest feature roadmap
September 2024 Recap: Azure Postgres Flexible Server
Online disaster recovery between SQL Server 2022 and Azure SQL Managed Instance is now GA
Cross Subscription Database Restore for SQL Managed Instance Database with TDE enabled using ADF
Develop a Library Web API: Integrating Azure Cosmos DB for MongoDB with ASP.NET Core
Lesson Learned #510: Using CProfiler to Analyze Python Call Performance in Support Scenarios
Failed to Restore SQL Managed Instance Database Backup from Azure Blob Storage
Seeking Advice for Automating VMSS Scaling Based on On-Premises SQL Data
Migrating from Amazon QLDB to ledger tables in Azure SQL Database: A Comprehensive Guide
Developer Tools
Covering: App Configuration, Azure DevTest Labs, Azure Lab Services, SDKs, Visual Studio, Visual Studio Code, Azure Load Testing
Catch the highlights from Azure Developers – .NET Aspire Day 2024!
Building an AI Dev Space With a Little Assistance from Aspire
How we build GitHub Copilot into Visual Studio
What’s new in System.Text.Json in .NET 9
Evaluating generative AI: Best practices for developers
Building Real-Time Web Apps with SignalR, WebAssembly, and ASP.NET Core API
Automate Markdown and Image Translations Using Co-op Translator: Phi-3 Cookbook Case Study
Breaking change for Window Server 2022 Image Users with .NET 6
Generative AI with JavaScript FREE course
GitHub e GitHub Copilot – Raccolta di risorse utili
.NET Conf 2024 Student Zone
Building Web Apps – A 6-Lesson Course on Linkedin Learning
DevOps
Covering: Azure Artifacts, Azure Boards, Azure DevOps, Azure Pipelines, Azure Repos, Azure Test Plans, DevOps tool integrations, Azure Load Testing
Deploying .dacpacs to Multiple Environments via ADO Pipelines
Introducing Pull Request Annotation for CodeQL and Dependency Scanning in GitHub Advanced Security for Azure DevOps
Installation of Argo CD
GitHub e GitHub Copilot – Raccolta di risorse utili
Career growth, learning, and fun, oh my! Your guide to GitHub Universe 2024
GitHub for Nonprofits: Drive social impact one commit at a time
Certifícate con Learn Live GitHub en Español
Get certified with Learn Live GitHub series!
Hybrid
Covering: Microsoft Azure Stack, Azure Arc
New features for Azure Virtual Desktop for Azure Stack HCI
Identity
Covering: Azure Active Directory, Multi-factor Authentication, Azure Active Directory Domain Services, Azure Active Directory External Identities
No New Articles
Integration
Covering: API Management, Event Grid, Logic Apps , Service Bus
Announcement: Introducing the Logic Apps Hybrid Deployment Model (Public Preview)
Recap of Logic Apps Community Day 2024
Upload file with non-ASCII filename in Http request via multipart/form-data in Logic App STD
Internet Of Things
Covering: Azure IoT Central, Azure IoT Edge, Azure IoT Hub, Azure RTOS, Azure Sphere, Azure Stream Analytics, Azure Time Series Insights, Microsoft Defender for IoT, Azure Percept, Windows for IoT
Strengthening Security in Azure IoT Hub: Transitioning to TLS 1.2+ and Planning for TLS 1.3
Management and Governance
Covering: Automation, Azure Advisor, Azure Backup, Azure Blueprints, Azure Lighthouse, Azure Monitor, Azure Policy, Azure Resource Manager, Azure Service Health, Azure Site Recovery, Cloud Shell, Cost Management, Azure Portal, Network Watcher, Azure Automanage, Azure Resource Mover, Azure Chaos Studio, Azure Managed Grafana
Join Marketplace at Microsoft Ignite!
Secure, High-Performance Networking for Data-Intensive Kubernetes Workloads
Advanced Alerting Strategies for Azure Monitoring
Accelerating industry-wide innovations in datacenter infrastructure and security
Migration
Covering: Azure Database Migration Service, Azure Migrate, Data Box, Azure Site Recovery
Microsoft Virtualization Migration Options
Mixed Reality
Covering: Digital Twins, Kinect DK, Spatial Anchors, Remote Rendering, Object Anchors
No New Articles
Mobile
Covering: Azure Maps, MAUI, Notification Hubs, Visual Studio App Center, Xamarin, Azure Communication Services
No New Articles
Networking
Covering: Application Gateway, Bastion, DDoS Protection, DNS, Azure ExpressRoute, Azure Firewall, Load Balancer, Firewall Manager, Front Door, Internet Analyzer, Azure Private Link, Content Delivery Network, Network Watcher, Traffic Manager, Virtual Network, Virtual WAN, VPN Gateway, Web Application Firewall, Azure Orbital, Route Server, Network Function Manager, Virtual Network Manager, Azure Private 5G Core
Transition from VNET integration to public access or Private Link using the Azure CLI
Routing options for VMs from Private Subnets
Security
Covering: Defender for Cloud, DDoS Protection, Dedicated HSM, Azure Information Protection, Microsoft Sentinel, Key Vault, Microsoft Defender for Cloud, Microsoft Defender for IoT, Microsoft Azure Attestation, Azure Confidential Ledger
New Copilot for Security Plugin Name Reflects Broader Capabilities
New Low-Cost Log Options, Automation, AI & SIEM Migration | Microsoft Sentinel Updates
Phish, Click, Breach: Hunting for a Sophisticated Cyber Attack
Welcome to the Microsoft Incident Response Ninja Hub
Save money on your Sentinel ingestion costs with Data Collection Rules
What to do if your Sentinel Data Connector shows as [DEPRECATED]
Welcome to the Microsoft Defender Experts Ninja Hub
Escalating cyber threats demand stronger global defense and cooperation
Leverage Microsoft Azure tools to navigate NIS2 compliance
Storage
Covering: Archive Storage, Avere vFXT for Azure, Azure Data Lake Storage, Azure Data Share, Files, FXT Edge Filer, HPC Cache, NetApp Files, Blob Storage, Data Box, Disk Storage, Queue Storage, Storage Accounts, Storage Explorer, StorSimple
Accelerate metadata heavy workloads with Metadata Caching preview for Azure Premium Files SMB & REST
Failed to Restore SQL Managed Instance Database Backup from Azure Blob Storage
Web
Covering: App Configuration, App Service, Azure Cognitive Search, Azure Maps, Azure SignalR Service, Static Web Apps, Azure Communication Services, Azure Web PubSub, Azure Fluid Relay, Web App for Containers
Deploy Mkdocs page on Azure Web App
How to Test Network on Linux Web App with Limited Tools
Azure Virtual Desktop
Covering: Windows Virtual Desktop, VMware Horizon Cloud on Microsoft Azure, Citrix Virtual Apps and Desktops for Azure
New features for Azure Virtual Desktop for Azure Stack HCI Read More
Azure Monitor Alert for low disk space percent and MB
Hello,
I am trying to create a KQL query that will alert me if the diskspace percentage exceeds a percentage threshold. But I also want the alert to show how much used space and free space is left in MB. I have the below query that shows the percentage. How can I get it to show the used space and free space is left in MB? Thank you.
InsightsMetrics
| where Origin == “vm.azm.ms”
| where Namespace == “LogicalDisk” and Name == “FreeSpacePercentage”
| summarize LogicalDiskSpacePercentageFreeAverage = avg(Val) by bin(TimeGenerated, 15m), Computer, _ResourceId
Hello, I am trying to create a KQL query that will alert me if the diskspace percentage exceeds a percentage threshold. But I also want the alert to show how much used space and free space is left in MB. I have the below query that shows the percentage. How can I get it to show the used space and free space is left in MB? Thank you. InsightsMetrics| where Origin == “vm.azm.ms”| where Namespace == “LogicalDisk” and Name == “FreeSpacePercentage”| summarize LogicalDiskSpacePercentageFreeAverage = avg(Val) by bin(TimeGenerated, 15m), Computer, _ResourceId Read More
Microsoft at Ubuntu Summit 2024: Join us!
We are thrilled to participate in the Ubuntu Summit this year in The Hague, Netherlands, from October 25-27, 2024. The Ubuntu Summit always offers an exciting opportunity to learn, network, and contribute to the future of open source software. We look forward to connecting with you, whether you’re attending in person or virtually.
Microsoft talks at Ubuntu Summit 2024
Don’t miss the exciting Microsoft talks at the Ubuntu Summit! You’ll get an overview of the journey and future of Rust, along with valuable insights on leveraging eBPF for data collection.
Rust: Reaching for a Better Future
Eric Holk | October 26, 2024, 9:10 AM CET | KWA – Plenary room
From its very beginning, Rust has been a programming language about challenging the status quo. Rust’s design is rooted in the belief that providing programmers with better tools enables them to design software that is more secure, reliable, and efficient. This belief leads Rust to a unique mix of advanced programming language features while giving to programmer control over low level details such as data layout when needed, all while giving particular attention to the ergonomics of the language. Yet Rust is not only its technical accomplishments. Rust is just as much an experiment in open and collaborative language design, and fostering a collaborative and supportive community. The mission of Rust is ongoing and there is still much to do to build on Rust’s community and its technical contributions. This talk will provide a brief overview of the path Rust has made so far towards a better future and the work that still remains to be done.
Unlocking Systems Insights: Leveraging eBPF for Data Collection
Jose Blanquicet | October 27, 2024, 5:00 PM CET | KWA – Plenary room
eBPF enables us to extend the kernel capabilities by executing custom programs without modifying the source code or adding modules. It offers visibility into network activity, resource utilization, and more. However, eBPF adoption has faced several challenges, mainly due to the perceived complexity associated with the kernel.
Fortunately, projects like Inspektor Gadget have emerged to help with this challenge. By providing a Docker-like experience and simplifying the development, build and deployment processes, Inspektor Gadget unlocks the full potential of eBPF within Linux systems, making it easier to utilize eBPF for data collection and system insights.
In this talk, Jose will provide a high-level introduction to eBPF and showcase some of the tools available for Ubuntu that leverage it. He will then demonstrate how to build and run your own eBPF program in Ubuntu using Inspektor Gadget, and finally, illustrate how easy it is to share your work with the community.
Visit us at the Microsoft Booth
We’re excited that there will be booths at Ubuntu Summit this year! Stop by our booth to chat with fellow open source enthusiasts at Microsoft and explore the latest open source technologies.
See you at Ubuntu Summit 2024!
Learn more
Open Source at Microsoft
Linux on Azure
Ubuntu on Azure
Microsoft Tech Community – Latest Blogs –Read More
Shame on you Microsoft and Microsoft Employees who manage the Microsoft Partner Portal
almost 2 months ago we have posted a bunch of bugs in the Microsoft Partner Portal, Microsoft’s idiotic policy to write one message per day costs us a lot time to follow up with all that nonsense.
So now we did not reply for 3 days and the ticket was closed. Yes Microsoft there are people out there who have to work for their income and don’t just steal the money from people by telling them to buy an ev-certificate which doesn’t even work with your portal.
You have open issues and do not resolve them – your employees know that and what do they do? Close the problems as if they have never existed. Nothing is resolved but it seems to be good enough for Microsoft’s Employees in charge and their Managers.
Shame on you low skilled Microsoft Employees who are involved with this Microsoft Partner Portal!
almost 2 months ago we have posted a bunch of bugs in the Microsoft Partner Portal, Microsoft’s idiotic policy to write one message per day costs us a lot time to follow up with all that nonsense. So now we did not reply for 3 days and the ticket was closed. Yes Microsoft there are people out there who have to work for their income and don’t just steal the money from people by telling them to buy an ev-certificate which doesn’t even work with your portal. You have open issues and do not resolve them – your employees know that and what do they do? Close the problems as if they have never existed. Nothing is resolved but it seems to be good enough for Microsoft’s Employees in charge and their Managers. Shame on you low skilled Microsoft Employees who are involved with this Microsoft Partner Portal! Read More
COUNTIFS Automatically pick up cell
I have built a worksheet using countifs to counts the number of transits ships make in and out of the port with 3 criteria. As we are monitoring across a 12 month period for compliance the workbook is working well.
One of the criteria is counting the Captain’s name (1 of 41 names). Is there a way to automate the formula to pick up the name rather than typing it 96 times for each person.
This is the COUNTIFS formula – The Name in this case is Starkey =COUNTIFS(June!$C$2:$C$638,”Night”,June!$F$2:$F$638,”Starkey”,June!$K$2:$K$638,”Inbound”,June!$M$2:$M$638,”Tory”)
I have built a worksheet using countifs to counts the number of transits ships make in and out of the port with 3 criteria. As we are monitoring across a 12 month period for compliance the workbook is working well. One of the criteria is counting the Captain’s name (1 of 41 names). Is there a way to automate the formula to pick up the name rather than typing it 96 times for each person.This is the COUNTIFS formula – The Name in this case is Starkey =COUNTIFS(June!$C$2:$C$638,”Night”,June!$F$2:$F$638,”Starkey”,June!$K$2:$K$638,”Inbound”,June!$M$2:$M$638,”Tory”) Read More
XLOOKUP Not Working
Why do none of the XLOOKUP functions on row 9 work? Microsoft® Excel for Mac 16.90.
Why do none of the XLOOKUP functions on row 9 work? Microsoft® Excel for Mac 16.90. Read More