Wiedza
  • 0 Koszyk
  • Kontakt
  • Moje konto
  • Blog
  • MOC On-Demand โ€“ co to takiego?
  • MOC On-Demand โ€“ Co zyskujesz?
  • Kursy MS

๐Ÿ”น .NET 8 Custom Code Support for Azure Logic Apps

๐Ÿ”น Feature: .NET 8 Custom Code Support for Azure Logic Apps

๐Ÿ”น What It Does: Enables developers to seamlessly integrate custom .NET 8 code within Azure Logic Apps Standard, enhancing flexibility and functionality in app workflows.

What is it giving you:

โœ… Enhanced Performance: Execute custom logic (everything what you wants) with improved efficiency directly in your workflows.

โœ… Greater Flexibility: Write and manage .NET 8 code natively, allowing tailored solutions for complex business needs.

โœ… Simplified Development: Streamline app development by reducing the need for external services or APIs.

โœ… Better Integration: Easily connect with other Microsoft services and third-party applications.

More info:

๐ŸŒ https://techcommunity.microsoft.com/blog/integrationsonazureblog/announcement-introducing-net-8-custom-code-support-for-azure-logic-apps-standard/4167893

 

New Microsoft SQL Driver for Python

๐Ÿ”น Feature: Newe Microsoft SQL Driver for Python

What It Does:

โœ… Faster Query Execution: Experience 2-4 times faster query execution, maximizing performance.

โœ… Superior Connection Handling: Benefit from connection handling thatโ€™s 16 times faster, ensuring smooth data transactions.

โœ… Easy Installation: Simplify your setup with quick and hassle-free installation.

โœ… Cross-Platform Compatibility: Work effortlessly across different operating systems.

โœ… Pip Install Capabilities: Install easily using pip, streamlining your development workflow.

More info:

๐ŸŒ https://github.com/microsoft/mssql-python

#

SharePoint Embedded

๐Ÿ”น Feature: SharePoint Embedded

๐Ÿ”น What It Does: The fastest way to build enterprise-grade, globally compliant document management directly into your apps โ€” without rebuilding the Microsoft 365 stack.

โœ… Seamless Integration: Easily embed document management capabilities into your applications.

โœ… Enterprise-Ready: Built-in compliance and security features meet global standards.

โœ… Enhanced Collaboration: Supports Microsoft 365 tools for efficient teamwork.

โœ… Copilot Support: Leverage AI-powered productivity enhancements.

โœ… Simple API: Quick deployment with minimal development effort required.

Visual Studio Code on the Web

๐Ÿ”น Feature: Visual Studio Code on the Web

๐Ÿ”น What It Does: Enables you to access and use Visual Studio Code directly from your browser without any installation, making coding more flexible and accessible.

What Itโ€™s Giving You:

๐Ÿค” Free competitor of GitHub Codespaces

โœ… Seamless coding experience from any device with an internet connection.

โœ… Quick access to your projects without setup time.

โœ… Full support for extensions, themes, and settings synchronization.

โœ… Integrated GitHub support for version control on the go.

โœ… Optimized performance for lightweight coding sessions.

โœ… Use Jupiter Notebooks to explore data over the web

๐ŸŒ https://learn.microsoft.com/en-us/fabric/data-engineering/author-notebook-with-vs-code-web

๐ŸŒ https://insiders.vscode.dev/

๐ŸŒ https://vscode.dev/

 

PostgreSQL integration with AI (Vector Search in PostgreSQL)

Based on Ignite 20225 – LAB515 Build Advanced Ai Agents with PostgreSQL.

Source Code: https://github.com/MariuszFerdyn/ignite25-LAB515-build-advanced-ai-agents-with-postgresql.

Transcript:

Source code: https://github.com/MariuszFerdyn/ignite25-LAB515-build-advanced-ai-agents-with-postgresql

 

— ============================================================================
— PART 1: Initialize Database and Verify Data
— ============================================================================

— Load initial dataset from SQL script
\i ./Scripts/initialize_dataset.sql;

— Enable auto-formatting for better readability in psql
\x auto

— Verify that data was loaded correctly – show first 5 case names
SELECT name FROM cases LIMIT 5;

— ============================================================================
— PART 2: Install and Configure Azure AI Extension
— ============================================================================

— Check which Azure extensions are available in the server
SHOW azure.extensions;

— Install the azure_ai extension to enable Azure OpenAI integration
— This extension provides functions to interact with Azure OpenAI Service
CREATE EXTENSION IF NOT EXISTS azure_ai;

— Switch to PowerShell context to load environment variables
cd C:\Lab\Scripts\
.\get_env.ps1

— Configure Azure OpenAI endpoint URL
— Replace {AZURE_OPENAI_ENDPOINT} with your actual endpoint from Azure Portal
SELECT azure_ai.set_setting(‘azure_openai.endpoint’, ‘{AZURE_OPENAI_ENDPOINT}’);

— Configure Azure OpenAI API key for authentication
— Replace {AZURE_OPENAI_KEY} with your actual API key from Azure Portal
SELECT azure_ai.set_setting(‘azure_openai.subscription_key’, ‘{AZURE_OPENAI_KEY}’);

— Verify the endpoint configuration was saved correctly
SELECT azure_ai.get_setting(‘azure_openai.endpoint’);

— Verify the API key configuration was saved correctly
SELECT azure_ai.get_setting(‘azure_openai.subscription_key’);

— ============================================================================
— PART 3: Test Embeddings Generation
— ============================================================================

— Test embeddings creation with sample text
— text-embedding-3-small is the Azure OpenAI embedding model
— Show only first 100 characters of the resulting vector for preview
SELECT LEFT(azure_openai.create_embeddings(‘text-embedding-3-small’, ‘Sample text for PostgreSQL Lab’)::text, 100) AS vector_preview;

— ============================================================================
— PART 4: Traditional Keyword Search (for comparison)
— ============================================================================

— Perform traditional keyword-based search using ILIKE pattern matching
— This will miss semantically similar content that uses different words
SELECT id, name, opinion
FROM cases
WHERE opinion ILIKE ‘%Water leaking into the apartment from the floor above’;

— ============================================================================
— PART 5: Prepare Table for Vector Search
— ============================================================================

— Install pgvector extension to support vector data type and operations
CREATE EXTENSION IF NOT EXISTS vector;

— Add a new column to store embeddings (1536 dimensions for text-embedding-3-small)
ALTER TABLE cases ADD COLUMN opinions_vector vector(1536);

— Generate embeddings for all existing cases
— Concatenate name and first 8000 chars of opinion for better context
— max_attempts and retry_delay_ms handle API rate limiting gracefully
UPDATE cases
SET opinions_vector = azure_openai.create_embeddings(‘text-embedding-3-small’, name || LEFT(opinion, 8000), max_attempts => 5, retry_delay_ms => 500)::vector
WHERE opinions_vector IS NULL;

— ============================================================================
— PART 6: Create Vector Index for Efficient Similarity Search
— ============================================================================

— Install pg_diskann extension for high-performance vector indexing
CREATE EXTENSION IF NOT EXISTS pg_diskann;

— Create DiskANN index for fast cosine similarity searches
— This dramatically improves performance for large datasets
CREATE INDEX cases_cosine_diskann ON cases USING diskann(opinions_vector vector_cosine_ops);

— Verify embeddings were created – show one example vector
SELECT opinions_vector FROM cases LIMIT 1;

— ============================================================================
— PART 7: Semantic Search Using Vector Similarity
— ============================================================================

— Perform semantic search using cosine similarity (<=> operator)
— Find the 10 most semantically similar cases to the query
— This finds similar content even if exact words don’t match
SELECT
id, name
FROM
cases
ORDER BY opinions_vector <=> azure_openai.create_embeddings(‘text-embedding-3-small’, ‘Water leaking into the apartment from the floor above.’)::vector
LIMIT 10;

— Get the most similar case with full opinion text
— Shows the best semantic match to the query
SELECT
id, opinion
FROM cases
ORDER BY opinions_vector <=> azure_openai.create_embeddings(‘text-embedding-3-small’, ‘Water leaking into the apartment from the floor above.’)::vector
LIMIT 1;

— ============================================================================
— PART 8: Compare Semantic Search vs Keyword Search
— ============================================================================

— Re-run the traditional keyword search for comparison
— Notice how semantic search (above) may find more relevant results
— that don’t contain the exact phrase
SELECT id, name, opinion
FROM cases
WHERE opinion ILIKE ‘%Water leaking into the apartment from the floor above’;

Video:

Prism – Run x86/x64 Applications on ARM Processors

๐Ÿ”น Feature: Prism – Run x86/x64 Applications on ARM Processors

๐Ÿ”น What It Does: Prism is the new emulator included with Windows 11 24H2.

What is it giving you:

๐Ÿ’ป Emulation simulates software by compiling x86 instructions into optimized Arm64 code.

โœ… Improved performance for x86/x64 apps on ARM devices

โœ… Lower CPU usage during emulation

โœ… Enhanced efficiency, leading to longer battery life on ARM-based devices

โœ… Smoother user experience with optimized resource management

More info:

๐ŸŒ https://learn.microsoft.com/en-us/windows/arm/apps-on-arm-x86-emulation

Copilot Studio Lite

๐Ÿ”น Feature: Copilot Studio Lite

๐Ÿ”น What It Does: A lightweight, no-code agent builder embedded in Microsoft 365 Copilot โ€” making it easy for users (not just developers) to quickly build AI agents with your organisationโ€™s content.ย 

What Is It Giving You:

๐Ÿค” It could be thread as demo of Copilot Studio, agent is created using prompts. Can not do more like answer the questions using data that you have access to. Can no interact so can not send email.

โœ… Access to Organizational Knowledge: Connects with Microsoft Graph, SharePoint, and Outlook while maintaining existing permissions and governance.

โœ… Cost-Efficient: Free to use in its “lite” form with eligible Microsoft 365 licenses, perfect for lightweight scenarios and piloting agents without upfront costs.

โœ… Fast Time-to-Value: Ideal for small teams or specific cases like onboarding assistants, FAQ bots, or document-search agents for rapid deployment.

โœ… Option to Scale: As your needs grow, upgrade to the full Copilot Studio experience with advanced connectors, multistep workflows, and external channel publishing.

More info:

๐ŸŒ https://learn.microsoft.com/en-us/microsoft-365-copilot/extensibility/copilot-studio-experience

๐ŸŒ https://learn.microsoft.com/en-us/microsoft-copilot-studio/billing-licensing

 

Microsoft Purview – Data Security Investigations

๐Ÿ”น Feature: Microsoft Purview

๐Ÿ”น What It Does: A comprehensive portfolio of products designed to keep your data secure, no matter where it resides.

While Office 365 is often the starting point for many, securing your data as it moves inside and outside your organization is critical. The next step? Configuring labels and other security measures to safeguard your information effectively.

Be aware that Microsoft Purview enables you to track and manage your data not only within Office 365 but also across Azure and on-premises environments. Plus, thereโ€™s an additional portal to help streamline your data governance:

๐ŸŒ Portal: https://web.purview.azure.com/

๐ŸŒ Office365: https://purview.microsoft.com/

What Itโ€™s Giving You:

โœ… Unified data governance across cloud and on-premises

โœ… Advanced tracking and visibility for sensitive information

โœ… Simplified compliance with integrated labeling and classification

โœ… Enhanced risk management with robust security configurations

The new feature, Data Security Investigations in Microsoft Purview, is designed to enhance your organization’s ability to detect, investigate, and respond to potential data security risks. This feature allows security teams to gain comprehensive visibility into data activities, ensuring sensitive information is protected and compliance requirements are met (https://learn.microsoft.com/en-us/purview/data-security-investigations).

More info: https://learn.microsoft.com/en-us/purview/

 

Conditional Access Optimization Agent

๐Ÿ”น Feature: Conditionalr Access Optimization Agent

๐Ÿ”น What It Does: Identifies users or applications not protected by Conditional Access policies and suggests next steps to secure them.

What It Gives You:

โœ… Enhanced visibility into unprotected access points

โœ… Actionable recommendations to improve security posture

โœ… Streamlined management of Conditional Access policies

โœ… Proactive threat mitigation through continuous assessment

More info: https://learn.microsoft.com/en-us/entra/security-copilot/conditional-access-agent-optimization

Microsoft Agent Framework – The Successor to Symantec Kernel

๐Ÿ”น Feature: Microsoft Agent Framework – The Successor to Symantec Kernel

๐Ÿ”น What It Does: Developers can create intelligent, secure, and scalable agent-based applications

What It Gives You:

โœ… Modularity: Workflows can be broken down into smaller, reusable components, making it easier to manage and update individual parts of the process.

โœ… Agent Integration: Workflows can incorporate multiple AI agents alongside non-agentic components, allowing for sophisticated orchestration of tasks.

โœ… Type Safety: Strong typing ensures messages flow correctly between components, with comprehensive validation that prevents runtime errors.

โœ… Flexible Flow: Graph-based architecture allows for intuitive modeling of complex workflows with executors and edges. Conditional routing, parallel processing, and dynamic execution paths are all supported.

โœ… External Integration: Built-in request/response patterns enable seamless integration with external APIs and support human-in-the-loop scenarios.

โœ… Checkpointing: Save workflow states via checkpoints, enabling recovery and resumption of long-running processes on the server side.

โœ… Multi-Agent Orchestration: Built-in patterns for coordinating multiple AI agents, including sequential, concurrent, hand-off, and Magentic.

โœ… Composability: Workflows can be nested or combined to create more complex processes, allowing for scalability and adaptability.

More info: https://github.com/microsoft/agent-framework

Copilot – Saga News November 2025

๐Ÿ”น Copilot News – You must be familiar with these AI Agents that can do work for you, enhancing productivity like never before.

๐Ÿ”น Feature: Copilot – Saga News November 2025

โœ… Agent Mode for Word, Excel, PowerPoint

Elevate your document, spreadsheet, and presentation game with AI agents that assist in content creation, data analysis, and design optimization.

https://www.zdnet.com/article/microsoft-just-added-ai-agents-to-word-excel-and-powerpoint-how-to-use-them/

โœ… Agent Mode and Office Agent (Word, Excel) in M365 Copilot

https://www.microsoft.com/en-us/microsoft-365/blog/2025/09/29/vibe-working-introducing-agent-mode-and-office-agent-in-microsoft-365-copilot/

โœ… Facilitator

A powerful meeting agent that drives agendas, captures notes, and simplifies follow-ups, ensuring no detail is missed.

https://learn.microsoft.com/en-us/microsoftteams/facilitator-teams

โœ… Copilot in SSMS

Enhance SQL Server Management Studio with AI-driven insights, query optimization, and data management tools.

https://learn.microsoft.com/en-us/ssms/copilot/copilot-in-ssms-overview

โœ… Viva Engage Agents

Boost community interactions with AI agents that foster engagement, streamline communication, and support network growth.

https://learn.microsoft.com/en-us/viva/engage/ai-technology-with-viva-engage/agents-community-network-deployment-config

โœ… Dedicated Agents for Teams Channels

Have an AI teammate for every Teams channel, tailored to understand your projects and keep your team aligned.

https://learn.microsoft.com/en-us/microsoftteams/set-up-channel-agent-teams

โœ… Knowledge Agent in SharePoint

Harness AI to enrich content, automate processes, and prepare knowledge for seamless integration with Copilot.

https://techcommunity.microsoft.com/blog/spblog/introducing-knowledge-agent-in-sharepoint/4454154

โœ… Model Choice in Researcher

Expand your research capabilities with flexible model options in Microsoft 365 Copilot.

https://www.microsoft.com/en-us/microsoft-365/blog/2025/09/24/expanding-model-choice-in-microsoft-365-copilot/

โœ… Research in Copilot

Supercharge your research with AI-driven analysis and data synthesis tools.

https://www.microsoft.com/en-us/microsoft-365/blog/2025/03/25/introducing-researcher-and-analyst-in-microsoft-365-copilot/

โœ… Multi-Agent Orchestration in Copilot Studio

Design complex workflows with AI agents that collaborate, delegate, and execute tasks seamlessly.

https://www.microsoft.com/en-us/microsoft-copilot/blog/copilot-studio/multi-agent-orchestration-maker-controls-and-more-microsoft-copilot-studio-announcements-at-microsoft-build-2025/

โœ… Computer Use Tool in Copilot Studio

Enable agents to interact with websites and desktop applications for enhanced workflow automation.

https://learn.microsoft.com/en-us/microsoft-copilot-studio/computer-use

โœ… Copilot Tuning

Boost the accuracy, relevance, and efficiency of your AI agents with business-specific tuning.

https://learn.microsoft.com/en-us/copilot/microsoft-365/copilot-tuning-overview

โœ… Copilot Control System

Gain comprehensive oversight of your AI ecosystem with robust controls and monitoring tools.

https://techcommunity.microsoft.com/blog/microsoft365copilotblog/introducing-copilot-control-system/4397248

Viva Engage Now with AI Agents

๐Ÿ”น Feature: Viva Engage

๐Ÿ”น What It Does: Similar to Facebook and Facebook Groups

Considerations:

๐Ÿค” While Facebook had a service like Facebook/Meta Workplace, it didnโ€™t gain significant traction.

๐Ÿš€ I previously developed a tool that could copy your Facebook group or profile as a complete replica. Although it wasnโ€™t fully finished, it worked and looked just like Facebook! Iโ€™m seeking motivation to continue working on it.

๐Ÿš€ This tool could potentially serve as a synchronization mechanism between Viva Engage and Facebook. But for what specific purposeโ€”marketing, support groups? One potential benefit is enabling Viva Engage to leverage AI agents using internal knowledge.

๐Ÿš€ In large organizations, Viva Engage is often integrated as part of the intranet, sometimes even as a SharePoint web part.

๐Ÿค” I havenโ€™t observed it being used for support or helpdesk requests, but I believe it could be beneficialโ€”much like how Stack Overflow operates.

๐Ÿค” While Viva Engage might be more suitable for certain cases compared to Teams, Teams is used daily, making it more convenient for users.

Azure Local / Azure Stack HCI

๐Ÿ”น Feature: Azure Local / Azure Stack HCI

๐Ÿ”น What It Does: Azure Stack HCI extends Azure capabilities to your on-premises environment, enabling seamless hybrid cloud solutions. It integrates with Azure services to provide scalability, efficiency, and robust security.

What is it giving you:

โœ… Enhanced Flexibility: Deploy and manage workloads efficiently across both cloud and local environments.

โœ… Optimized Performance: Benefit from low-latency processing closer to your data sources.

โœ… Simplified Management: Unified tools for managing hybrid resources in one dashboard.

โœ… Increased Security: Advanced security features with integrated Azure services.

โœ… Cost Efficiency: Reduce operational costs with scalable infrastructure.

More info: https://azurelocalsolutions.azure.microsoft.com

Well-Architected – Microsoft Assessments

Continuation of the Well-Architected Framework Series: This time, weโ€™re focusing on Assessment across Azure, Microsoft 365, Windows, and other Microsoft products.

๐Ÿ”น Feature: Microsoft Assessments

๐Ÿ”น What It Does: Helps you check your solution effectiveness and alignment with best practices using Microsoftโ€™s Assessment tools.

What Itโ€™s Giving You:

โœ… Actionable Insights: Identify areas for improvement in your current architecture.

โœ… Tailored Recommendations: Receive recommendations specific to your environment and workloads.

โœ… Risk Identification: Spot potential risks and security gaps early.

โœ… Optimized Performance: Ensure your solutions are scalable, secure, and cost-efficient.

โœ… Simplified Compliance: Align with industry standards and Microsoftโ€™s best practices effortlessly.

More info: https://learn.microsoft.com/en-us/assessments/

#

Are you architect? – Azure Well-Architected Framework

Are you architect?

๐Ÿ”น Feature: Azure Well-Architected Framework

๐Ÿ”น What It Does: Planning a landing zone or deploying PaaS and others? Here are essential guidelines you must know!

What is it giving you?

โœ… Best Practices for designing and operating reliable, secure, and efficient systems.

โœ… Guidance on optimizing costs while maintaining performance.

โœ… Framework to strengthen your cloud architecture based on proven pillars.

๐ŸŒŸ Main Pillars:

โœ… Reliability โ€“ Ensure systems recover from failures and continue to function.

โœ… Security โ€“ Protect applications and data from threats.

โœ… Cost Optimization โ€“ Manage expenses while maximizing value.

โœ… Operational Excellence โ€“ Improve processes and monitoring for smooth operations.

โœ… Performance Efficiency โ€“ Achieve the best performance with scalable resources.

๐Ÿ”— More info: https://learn.microsoft.com/en-us/azure/well-architected/

VNet Flow Logs

๐Ÿ”น Feature: VNet Flow Logs

๐Ÿ”น What It Does: The successor to NSG Flow Logs, offering advanced capabilities without the need to implement NSG.

What Itโ€™s Giving You:

โœ… Enhanced visibility into network traffic

โœ… Simplified monitoring without NSG dependency

โœ… Detailed analytics for improved security insights

โœ… Easier troubleshooting for network-related issues

More info: https://learn.microsoft.com/en-us/azure/network-watcher/vnet-flow-logs-overview?tabs=Americas#virtual-network-flow-logs-compared-to-network-security-group-flow-logs

Hey Copilot – on Windows 11

๐Ÿ”น Feature: โ€œHey Copilotโ€ on Windows 11

๐Ÿ”น What It Does: Transform your Windows 11 device into an AI-powered assistant, enabling you to manage tasks effortlessly using natural language.

What Is It Giving You?

โœ… Voice Activation & Natural Conversation

Simply say, โ€œHey Copilot,โ€ to start a voice interaction. Your PC understands natural language, letting you search, summarize, and perform tasksโ€”no keyboard needed.

โœ… Copilot Vision โ€” โ€œSee What You Seeโ€

Your AI PC visually interprets content on your screen or within apps. Whether editing photos, reviewing presentations, or organizing files, Copilot Vision helps you take smart next steps.

โœ… Agentic Actions โ€” Acting on Your Behalf

Beyond providing answers, Windows 11โ€™s AI executes tasks for youโ€”like drafting emails, creating documents, organizing files, or scheduling eventsโ€”with your approval.

โœ… Deep Integration Into Your Workflow

Copilot is seamlessly built into Windows 11 and your taskbar. It connects with apps, settings, and tools, helping you work efficiently without switching contexts.

โœ… Unified Connections Across Your Services

Link personal and work accountsโ€”like OneDrive, Outlook, Google Drive, and Gmailโ€”so your PC can locate, summarize, and act on information wherever itโ€™s stored.

More info and great videos:

https://blogs.windows.com/windowsexperience/2025/10/16/making-every-windows-11-pc-an-ai-pc/

Azure Chaos Studio

๐ŸŒŸ The Saga Continues! ๐ŸŒŸ

๐Ÿ”น Feature: Azure Chaos Studio

๐Ÿ”น What It Does: Enables you to experiment with controlled chaos by simulating resource failures to see how your applications respond.

What is it giving you:

โœ… Helps identify vulnerabilities in your systems before they cause real issues.

โœ… Enhances system resilience by preparing for unexpected failures.

โœ… Supports proactive troubleshooting, saving time and resources.

โœ… Provides insights to optimize performance under stress conditions.

More Info: https://rzetelnekursy.pl/ui-tests-with-playwright-azure-load-testing-and-resilience-tests-with-azure-chaos-studio/

Azure App Testing

๐Ÿš€ Testing Saga Continues! ๐Ÿš€

๐Ÿ”น Feature: Azure App Testing

๐Ÿ”น What It Does: Perform Load Web Tests in Azure, fully compatible with JMeter for seamless performance evaluation.

What Is It Giving You?

โœ… Simplified load testing for web applications

โœ… Enhanced performance insights with Azure integration

โœ… Seamless compatibility with JMeter for smooth workflows

โœ… Scalable testing environments to meet diverse demands

โœ… Quick setup and easy configuration for faster results

More Info: https://rzetelnekursy.pl/ui-tests-with-playwright-azure-load-testing-and-resilience-tests-with-azure-chaos-studio/

Playwright Testing

๐Ÿ”น Feature: Playwright Testing

๐Ÿ”น What It Does: Perform UI Web tests with Playwright for Cloud and on-premise applications

What Itโ€™s Giving You:

โœ… Streamlined automated UI testing for web applications

โœ… Compatibility with both Cloud and on-premise environments

โœ… Enhanced efficiency in detecting UI issues early

โœ… Support for multiple browsers and platforms

โœ… Easy integration with CI/CD pipelines

More Info: https://rzetelnekursy.pl/ui-tests-with-playwright-azure-load-testing-and-resilience-tests-with-azure-chaos-studio/

Connect to AKS Private Cluster Using Azure Bastion

๐Ÿ”น Feature: Connect to AKS Private Cluster Using Azure Bastion

๐Ÿ”น What It Does: Establishes a secure tunnel to Azure Kubernetes Service, enabling you to invoke kubectl commands seamlessly.

What It Gives You:

โœ… Secure and simplified access to AKS Private Clusters without exposing them to the public internet.

โœ… No need for additional VPNs or jump hostsโ€”Azure Bastion handles the secure connectivity.

โœ… Direct command execution using kubectl, enhancing operational efficiency.

โœ… Improved security posture with controlled access through Azure Bastion.

๐Ÿค” We are awaiting further tunnel bastion connection possibilities, such as those to Postgres. ๐Ÿค”

More info: https://learn.microsoft.com/en-us/azure/bastion/bastion-connect-to-aks-private-cluster

#mvpbuzz #azurenews

Front Door – Managed Identities to Authenticate to Origins

๐Ÿ”น Feature: Front Door – Managed Identities to Authenticate to Origins

๐Ÿ”น What It Does: Adds an extra layer of security, protecting your origins from being bypassed through Front Door.

What It Gives You:

โœ… Enhanced security for origin access

โœ… Simplified identity management without the need for credentials

โœ… Seamless integration with Azure services

โœ… Reduced risk of unauthorized access

โš ๏ธ Additional control – verify if access is routed through Azure Front Door, check the X-Azure-FDID header in incoming requests and confirm it matches your Front Door’s ID.

More info: https://learn.microsoft.com/en-us/azure/frontdoor/origin-authentication-with-managed-identitiesย 

Grafana with Azure Monitor

๐Ÿ”น Feature: Grafana with Azure Monitor

๐Ÿ”น What It Does: Azure Monitor dashboards with Grafana enable you to leverage Grafana’s powerful query, transformation, and visualization capabilities for enhanced data insights.

What is it giving you:

โœ… Real-time monitoring across multiple data sources

โœ… Customizable, interactive dashboards for dynamic visuals

โœ… Seamless integration with Azure services for smooth workflows

โœ… Enhanced flexibility in analyzing and presenting critical metrics

๐Ÿ“Š Don’t forget to check out Managed Grafana Service for comprehensive monitoring solutions.

More info: https://learn.microsoft.com/en-us/azure/azure-monitor/visualize/visualize-grafana-overview

Symantec Kernel

New Post in Series: Azure, Microsoft 365, Windows, Microsoft Products

This time, let’s dive into a tool that helps you build AI applications capable of querying external APIs and decomposing AI prompts for enhanced performance.

๐Ÿ”น Feature: Symantec Kernel

๐Ÿ”น What It Does: A free SDK designed to build AI applications that act as an orchestration layer between large language models and your custom code.

Whatโ€™s Helping You:

โœ… Seamless integration of math operations within AI workflows.

โœ… Efficient handling of external API calls to expand AI capabilities.

โœ… Simplifies AI prompt decomposition for better data processing.

โœ… Acts as a bridge between AI models and your application logic, ensuring smooth orchestration.

โœ… Plugin ecosystem

โš ๏ธ Challenges and Considerations: For new project consider using Microsoft Agent Framework as the successor to Symantec Kernel.

More Info: https://github.com/microsoft/semantic-kernel

Competitors of LangChain, LlamaIndex, LangGraph

Azure File Sync

๐Ÿ”น Feature: Azure File Sync

๐Ÿ”น What It Does: Synchronizes local File Shares with Azure Files.

What It Offers You:

โœ… Seamless Synchronization: Ensures your local file shares and Azure Files are always up-to-date.

โœ… Multi-Master Support: Facilitates collaboration across multiple sites with real-time updates.

โœ… Efficient Migrations: Simplifies the transition from on-premises storage to the cloud without downtime.

โœ… Local Cache Option: Provides quick access to frequently used files, reducing latency and dependency on internet speed.

โœ… Backup: Disaster recovery scenarios, Backup scenarios.

 

More info: https://learn.microsoft.com/en-us/azure/storage/file-sync/file-sync-planning

#mvpbuzz #azurenews

IoT Central

๐Ÿ”น Feature: IoT Central

๐Ÿ”น What It Does: Simplifies the creation of IoT applications, dashboards, device management, and more.

What is it giving you:

โœ… Quick Deployment: Easily set up IoT solutions without deep coding knowledge.

โœ… Scalable Management: Manage thousands of devices effortlessly with built-in scalability.

โœ… Customizable Dashboards: Visualize data effectively with personalized dashboards.

โœ… Integration Ready: Seamlessly connects with other Microsoft services like Azure Functions and Power BI.

Some projects:ย 

๐ŸŒ https://youtu.be/fiyHol2yje0?si=tNwnzQ3jaBB7JGCj

๐ŸŒ https://youtu.be/9Ve9030IVqg?si=YbnWJ_ED5RQkJmXm

Feature: Azure Relay – Live without VPN

๐Ÿ”น Feature: Azure Relay – Live without VPN

๐Ÿ”น What It Does: Enables secure, direct connections between systems even when they’re behind firewalls using HTTPS.

What is it giving you:

โœ… Built on the well-known Azure Service Bus for reliability and scalability.

โœ… No need to open inbound ports, enhancing security.

โœ… Seamless communication across distributed applications.

โœ… Supports a variety of communication patterns (request/response, one-way, relayed messaging).

โœ… Eliminates complex network configurations.

Easy step by step: https://github.com/MariuszFerdyn/Tunnel-via-Azure-Relay

Container Insights Segregation by Namespace

๐Ÿ”น Feature: Container Insights Segregation by Namespace

๐Ÿ”น What It Does: Provides the ability to configure container console log collection, enabling segregation of logs by different Container Insights.

What Itโ€™s Giving You:

โœ… Reduce Costs: Efficient log segregation minimizes unnecessary data ingestion, cutting down on expenses.

โœ… Rescue PII Data Ingestion: Enhances control over data logs, reducing the risk of unintentional PII data exposure.

โš ๏ธ Challenges and Considerations: Not easy – Configuration via Config Map

More info: https://learn.microsoft.com/en-nz/azure/azure-monitor/containers/container-insights-multitenant?tabs=arm

#mvpbuzz #azurenews

Confidential Computing

๐Ÿ”น Feature: Confidential Computing

๐Ÿ”น What It Does: Keeps memory encrypted within the virtual machine. Itโ€™s also available for PaaS platforms that have underlying virtual machines.

Confidential Computing is here to elevate your security game:

โœ… Secure Kubernetes Deployments: Protect sensitive data while running containerized applications.

โœ… Azure Virtual Desktop: Enhance security for privileged workstations, safeguarding critical business environments.

โœ… Data Integrity Across PaaS: Keep your data secure even when leveraging platform services.

More info: https://azure.microsoft.com/en-us/solutions/confidential-compute#Related-products-3

#mvpbuzz #azurenews

Azure Storage Discovery

๐Ÿ”น Feature: Azure Storage Discovery

๐Ÿ”น What It Does: Automatically scans your Azure environment to detect, classify, and provide insights into storage resources.

What Itโ€™s Giving You:

โœ… Simplified Data Management: Azure Storage Discovery helps you identify and organize your storage resources efficiently.

โœ… Enhanced Visibility: Gain clear insights into storage accounts, their usage, and potential cost optimization areas.

โœ… Streamlined Operations: Quickly discover redundant or underutilized storage, improving resource allocation.

โœ… Security Insights: Identify potential vulnerabilities and maintain compliance with organizational policies.

More info: https://azure.microsoft.com/en-us/blog/from-queries-to-conversations-unlock-insights-about-your-data-using-azure-storage-discovery-now-generally-available/

< 1 2 3 4 5 >»
Projekt i wykonanie: Mobiconnect i fast-sms.net   |    Regulamin
Ta strona korzysta z ciasteczek aby ล›wiadczyฤ‡ usล‚ugi na najwyลผszym poziomie. Dalsze korzystanie ze strony oznacza, ลผe zgadzasz siฤ™ na ich uลผycie.Zgoda

Added to Cart

Keep Shopping