Tag Archives: microsoft
Basic Auth for Client Submission (SMTP Auth) alternatives in terms of security
As you may have heard, Microsoft will permanently remove support for Basic authentication with Client Submission (SMTP AUTH) in September 2025. For more details, see the article https://techcommunity.microsoft.com/t5/exchange-team-blog/exchange-online-to-retire-basic-auth-for-client-submission-smtp/ba-p/4114750. Microsoft also describes possible alternatives in the article.
I would like to discuss which method for sending email in Microsoft 365/Azure should be preferred in terms of security, including Direct Send and SMTP Relay with Microsoft 365. I have not included third-party SMTP Server service/server.
My rankings in terms of security is:
OAuth2.0 – Relies on token-based authentication, only allow email sending (no other permissions)
Azure Communication Services Email – Uses Modern Authentication if I understand correctly
High Volume Email for Microsoft 365 – Internal only, no mailbox associated to HVE-account
SMTP Relay with Office 365 – An associated mailbox to the email address is not required. Include IP-address in SPF.
Direct Send – Internal only, no authentication. Include IP-address in SPF.
Exchange Server On-Premises with Basic Auth – Not secure by default but may be less insecure if you restrict it to specific devices/servers within the local network.
Exchange Server On-Premises with Anonymous Relay – Not secure by default but may be less insecure if you restrict it to specific devices/servers within the local network.
What do you think? Please feel free to share your opinions!
As you may have heard, Microsoft will permanently remove support for Basic authentication with Client Submission (SMTP AUTH) in September 2025. For more details, see the article https://techcommunity.microsoft.com/t5/exchange-team-blog/exchange-online-to-retire-basic-auth-for-client-submission-smtp/ba-p/4114750. Microsoft also describes possible alternatives in the article. I would like to discuss which method for sending email in Microsoft 365/Azure should be preferred in terms of security, including Direct Send and SMTP Relay with Microsoft 365. I have not included third-party SMTP Server service/server. My rankings in terms of security is:OAuth2.0 – Relies on token-based authentication, only allow email sending (no other permissions)Azure Communication Services Email – Uses Modern Authentication if I understand correctlyHigh Volume Email for Microsoft 365 – Internal only, no mailbox associated to HVE-accountSMTP Relay with Office 365 – An associated mailbox to the email address is not required. Include IP-address in SPF.Direct Send – Internal only, no authentication. Include IP-address in SPF.Exchange Server On-Premises with Basic Auth – Not secure by default but may be less insecure if you restrict it to specific devices/servers within the local network.Exchange Server On-Premises with Anonymous Relay – Not secure by default but may be less insecure if you restrict it to specific devices/servers within the local network. What do you think? Please feel free to share your opinions! Read More
Microsoft bookings page sending notifications to wrong email address
Microsoft bookings pages sending email notifications to the wrong email address.
I have checked the reply to email address in the business information section and this seems to be correct, along with other settings in the back of this bookings page.
This is happening across numerous pages, and I can’t seem to get to the bottom of what is happening. The staff member receiving these emails doesn’t have any connection to the bookings page they are receiving notifications for.
Is there another area I can check who receives those notifications?
Microsoft bookings pages sending email notifications to the wrong email address.I have checked the reply to email address in the business information section and this seems to be correct, along with other settings in the back of this bookings page.This is happening across numerous pages, and I can’t seem to get to the bottom of what is happening. The staff member receiving these emails doesn’t have any connection to the bookings page they are receiving notifications for.Is there another area I can check who receives those notifications? Read More
KQL for an application within an application group
Hi,
Is it possible to query how many “hits” there are against an application within an application group in AVD?
I’m able to see the resource alias via WVDConnections but this doesn’t show the specific applications that a user is connecting to.
Thanks
Hi, Is it possible to query how many “hits” there are against an application within an application group in AVD? I’m able to see the resource alias via WVDConnections but this doesn’t show the specific applications that a user is connecting to. Thanks Read More
Automation Testing with SPFx React in SharePoint Online
Hello Everyone,
I have created an SPFx solution for SharePoint Online. I have use React under the SPFx project.
I need to implement Automation Testing for my SPFx React project. I have checked the automation frameworks that work with SPfx with React and SharePoint Online. I found 3 frameworks Selenium, Cypress, and Playwright.
Can anyone suggest to me which one is the better tool for Automation with SPFx React in SharePoint Online?
Thanks in Advance.
Hello Everyone,I have created an SPFx solution for SharePoint Online. I have use React under the SPFx project.I need to implement Automation Testing for my SPFx React project. I have checked the automation frameworks that work with SPfx with React and SharePoint Online. I found 3 frameworks Selenium, Cypress, and Playwright.Can anyone suggest to me which one is the better tool for Automation with SPFx React in SharePoint Online?Thanks in Advance. Read More
Lesson Learned #495: Monitoring DNS Resolution with PowerShell of Azure SQL Server
Today, I worked on a service request where the DNS was providing an incorrect IP address randomly. In this article, I would like to share a PowerShell script that checks the DNS resolution every 5 seconds to help identify the issue.
This script resolves a DNS name using two methods (Resolve-DnsName and nslookup), logs the details, and saves the results in a CSV file for further analysis. This approach helps in identifying the DNS server responses and understanding the resolution process over time.
Resolve-DnsName – A PowerShell cmdlet that provides detailed information about DNS queries.
nslookup – A command-line utility that queries DNS servers and provides details about the resolution process, including the responding DNS server.
# Function to resolve the DNS name using Resolve-DnsName and nslookup, then save the details to a CSV file
$OutPutFolder=”c:DnsResolution” ##Folder where the data will be saved.
$outputFile = “dns_resolution_log.csv” ##file where the data will be saved.
$hostname = “servername.database.windows.net” ##name of the resource that we are going to check.
function Resolve-DNS {
# Initialize an empty array to hold the data
$results = @()
# Resolve using Resolve-DnsName
try {
$dnsResult = Resolve-DnsName -Name $hostname -ErrorAction Stop
if ($dnsResult) {
foreach ($result in $dnsResult) {
$results += [PSCustomObject]@{
Timestamp = (Get-Date -Format “yyyy-MM-dd HH:mm:ss”)
Method = “Resolve-DnsName”
Hostname = $result.Name
QueryType = $result.QueryType
TimeToLive = $result.TimeToLive
IPAddress = $result.IPAddress
DnsServer = $null # Not provided by Resolve-DnsName
}
}
} else {
logMsg “No results from Resolve-DnsName”
}
} catch {
logMsg “Error resolving ${hostname} using Resolve-DnsName: $_”
}
# Resolve using nslookup
try {
$nslookupResult = nslookup $hostname
$dnsServer = $null
$ipAddresses = @()
foreach ($line in $nslookupResult) {
if ($line -match “^Server:”) {
$dnsServer = $line -replace “Server:”, “”
$dnsServer = $dnsServer.Trim()
}
if ($line -match “^Address:”) {
$ip = $line -replace “Address:”, “”
if ($ip -notmatch “[:#]”) { # Exclude IPv6 and port information
$ipAddresses += $ip.Trim()
}
}
}
if ($ipAddresses.Count -gt 0) {
foreach ($ip in $ipAddresses) {
$results += [PSCustomObject]@{
Timestamp = (Get-Date -Format “yyyy-MM-dd HH:mm:ss”)
Method = “nslookup”
Hostname = $hostname
QueryType = $null # Not provided by nslookup
TimeToLive = $null # Not provided by nslookup
IPAddress = $ip
DnsServer = $dnsServer
}
}
} else {
logMsg “No IP addresses found in nslookup response”
}
} catch {
logMsg “Error resolving ${hostname} using nslookup: $_”
}
# Save results to CSV
if ($results.Count -gt 0) {
try
{
if (-not (Test-Path $outputFile)) {
$results | Export-Csv -Path $outputFile -NoTypeInformation
} else {
$results | Export-Csv -Path $outputFile -NoTypeInformation -Append -Force
}
logMsg “DNS resolution details saved to $outputFile”
}
catch {
logMsg “not possible to save the output file $_”
}
}
}
#——————————–
# Log the operations
#——————————–
function logMsg {
Param (
[Parameter(Mandatory=$true, Position=0)]
[string] $msg,
[Parameter(Mandatory=$false, Position=1)]
[int] $Color = 0,
[Parameter(Mandatory=$false, Position=2)]
[boolean] $Show = $true,
[Parameter(Mandatory=$false, Position=3)]
[boolean] $bShowDate = $true
)
try {
if ($bShowDate -eq $true) {
$Fecha = Get-Date -format “yyyy-MM-dd HH:mm:ss”
$msg = “$Fecha $msg”
}
if ($Show -eq $true) {
switch ($Color) {
1 { Write-Host -ForegroundColor Cyan $msg }
2 { Write-Host -ForegroundColor White -BackgroundColor Red $msg }
3 { Write-Host -ForegroundColor Yellow $msg }
Default { Write-Host -ForegroundColor White $msg }
}
}
} catch {
Write-Host $msg
}
}
#————————————————————–
#Create a folder
#————————————————————–
Function CreateFolder
{
Param( [Parameter(Mandatory)]$Folder )
try
{
$FileExists = Test-Path $Folder
if($FileExists -eq $False)
{
$result = New-Item $Folder -type directory
if($result -eq $null)
{
return $false
}
}
return $true
}
catch
{
return $false
}
}
function GiveMeFolderName([Parameter(Mandatory)]$FolderSalida)
{
try
{
$Pos = $FolderSalida.Substring($FolderSalida.Length-1,1)
If( $Pos -ne “” )
{return $FolderSalida + “”}
else
{return $FolderSalida}
}
catch
{
return $FolderSalida
}
}
#——————————–
#Validate Param
#——————————–
function TestEmpty($s)
{
if ([string]::IsNullOrWhitespace($s))
{
return $true;
}
else
{
return $false;
}
}
clear
If( TestEmpty($OutPutFolder) )
{
write-host “Output folder is empty”
exit;
}
If( TestEmpty($outputFile) )
{
write-host “Output file is empty”
exit;
}
If( TestEmpty($hostname) )
{
write-host “HostName is empty”
exit;
}
$result = CreateFolder($OutPutFolder) #Creating the folder that we are going to have the results, log and zip.
If( $result -eq $false)
{
write-host “Was not possible to create the folder”
exit;
}
$DateFormat = Get-Date -format “yyyy-MM-dd_HHmmss”
$OutPutFolder = GiveMeFolderName($OutPutFolder) #Creating a correct folder adding at the end .
$outputFile = $OutPutFolder + $outputFile + “_” + $DateFormat
# Run the function every 5 seconds
while ($true) {
Resolve-DNS
Start-Sleep -Seconds 5
}
Example using Private Endpoint
Example using Public Endpoint
Disclaimer
The use of this application and the provided scripts is intended for educational and informational purposes only. The scripts and methods demonstrated in this guide are provided “as is” without any warranties or guarantees. It is the user’s responsibility to ensure the accuracy, reliability, and suitability of these tools for their specific needs.
Microsoft Tech Community – Latest Blogs –Read More
Offboard devices – Windows, MacOS, Linux
Hello,
the Defender offboarding process is a bit confusing.
It would be nice if we have clear procedure how to perform offboarding.
Does device must be offboarded first and then uninstall Microsoft Defender app?
In our environment we always wipe machine and install it again for another employee.
Is that process of wiping enough to cover offboarding, removing license,…? Just want to avoid overuse of licenses.
And in a case that device must be offboarded first, do we need to offboard devices using MDM system? We use Intune for Windows, Mosyle for macOS, SureMDM for Linux.
I know that device will become inactive after some time. Does that mean that license is not in use?
Thank you in advance.
Hello,the Defender offboarding process is a bit confusing. It would be nice if we have clear procedure how to perform offboarding. Does device must be offboarded first and then uninstall Microsoft Defender app? In our environment we always wipe machine and install it again for another employee.Is that process of wiping enough to cover offboarding, removing license,…? Just want to avoid overuse of licenses. And in a case that device must be offboarded first, do we need to offboard devices using MDM system? We use Intune for Windows, Mosyle for macOS, SureMDM for Linux.I know that device will become inactive after some time. Does that mean that license is not in use? Thank you in advance. Read More
How to get the lowest range of numbers in a formula
Hi All – I have the below ranges in different cells in Excel:
4-24, 25-72, 73-96, 96+
What I need to write a formula for, is to show in another column when searching all the above, which one is the smallest range.
Hope that makes sense.
Thanks
Hi All – I have the below ranges in different cells in Excel: 4-24, 25-72, 73-96, 96+ What I need to write a formula for, is to show in another column when searching all the above, which one is the smallest range. Hope that makes sense. Thanks Read More
Missing Asterisk in Microsoft Bookings
Hello Community Champs,
Hope all is well.
I have created a bookings page and added a custom question and marked it as it required and saved. However, when testing the booking link I do not see my question marked as required (Asterisk). Please someone advise.
Thank you,
Mahee
Hello Community Champs, Hope all is well. I have created a bookings page and added a custom question and marked it as it required and saved. However, when testing the booking link I do not see my question marked as required (Asterisk). Please someone advise. Thank you,Mahee Read More
I need some suggestion to extract audio from mp4 file on Windows 11 PC
Hey everyone! I’m trying to extract the audio from an MP4 video file and save it as an MP3 so I can play it on my car. Unfortunately, I’m not super tech-savvy, so I’m looking for a simple method or software that can get the job done without too much hassle.
Also, if there’s a free way to extract audio from mp4 file, that would be awesome! I’ve heard about some programs like Audacity or VLC Media Player, but I’m not sure how to use them for this purpose.
Thanks in advance for your help!
Hey everyone! I’m trying to extract the audio from an MP4 video file and save it as an MP3 so I can play it on my car. Unfortunately, I’m not super tech-savvy, so I’m looking for a simple method or software that can get the job done without too much hassle. Also, if there’s a free way to extract audio from mp4 file, that would be awesome! I’ve heard about some programs like Audacity or VLC Media Player, but I’m not sure how to use them for this purpose. Thanks in advance for your help! Read More
Issue with Deep Link to Meeting Side Panel in Microsoft Teams
Dear Team,
I hope this message finds you well.
We are currently experiencing an issue with the deep link to the meeting side panel in Microsoft Teams. Despite following the documentation provided at the link below, the functionality is not working as expected:
Deep Link to Meeting Side Panel Documentation
When attempting to use the deep link, we encounter the following issue:
Instead of opening our custom application in the side panel, the meeting window opens with the chat displayed on the right-hand side.And in the background, I am getting the below error.
We would appreciate your assistance in resolving this matter, as the deep link is a critical component for our application integration within Microsoft Teams.
Thank you for your prompt attention to this issue.
Best regards,
Sukesh PK
Dear Team, I hope this message finds you well.We are currently experiencing an issue with the deep link to the meeting side panel in Microsoft Teams. Despite following the documentation provided at the link below, the functionality is not working as expected:Deep Link to Meeting Side Panel DocumentationWhen attempting to use the deep link, we encounter the following issue:Instead of opening our custom application in the side panel, the meeting window opens with the chat displayed on the right-hand side.And in the background, I am getting the below error. We would appreciate your assistance in resolving this matter, as the deep link is a critical component for our application integration within Microsoft Teams. Thank you for your prompt attention to this issue. Best regards,Sukesh PK Read More
What are the shortcut keys if I want to screenshot on Windows 11?
I am new to Windows 11 and would love to know what is the shortcut for taking screenshot on Windows 11 PC. In the past, I was mainly working on Windows 7, and the methods I knew don’t seem to work the same way here. Can anyone help me out with some easy steps or tips for capturing my screen?
I’ve heard there are a few different ways to screenshot on Windows 11, like using keyboard shortcuts or built-in tools, but I’m not sure which one is the best or easiest. It could be better if it supports scrolling screenshot and basic editing features.
Thanks
I am new to Windows 11 and would love to know what is the shortcut for taking screenshot on Windows 11 PC. In the past, I was mainly working on Windows 7, and the methods I knew don’t seem to work the same way here. Can anyone help me out with some easy steps or tips for capturing my screen? I’ve heard there are a few different ways to screenshot on Windows 11, like using keyboard shortcuts or built-in tools, but I’m not sure which one is the best or easiest. It could be better if it supports scrolling screenshot and basic editing features. Thanks Read More
need guidance for excel formula
input and sample outputs are demonstrated in the excel along with this post. please check it and give me a solution. Because I want to separate data in the list as per the order sheet in my shop with formula in excel. experts please help me. https://docs.google.com/spreadsheets/d/1EgVxGlPhbh_385S2PKNL3YtGEol8RpSlSvQnolJ1gzE/edit?usp=sharing
INPUT VALUES CUSTOMER NAMEVEHICLE NO OF BOXES CUSTOMER NAMEVEHICLENO OF BOXES A1 CHICKEN ( FORTKOCHI C/O RAJU )EICHER10 ALEX NANMA LINE – PICKUPPICKUP2 AFSAL POLAKANDAMsmall EICHER 2 ARUN PERUMPADAPPU – PICKUPPICKUP5 ALEENA C/O RAIU THOPPUMPADY – MorningEICHER25 BIBIN’S PALLURUTHYsmall EICHER 63 ALEX KANDHAKADAVUEICHER5 CLETUS PALLURUTHYEICHER4 sample OUTPUT MUST BE LIKE THE list given belowANIE PETER KOOVAPADAMEICHER6 HAMSA PALLURUTHYEICHER0 remove the entire row if the value is equal to 0.00ANTONY KANDHAKADAVUsmall EICHER 8 JABBAR PALLURUTHYsmall EICHER 2 ANTONY THOPPUMPADY – MorningEICHER12 JAIMI PALLURUTHY – PICKUPPICKUP56 LIST 1 : PICKUP LIST 2 : EICHER LIST 3: small EICHER ANTONY KANNAMALY – Morningsmall EICHER 84 JENSON EDAKOCHI (P) – PICKUPPICKUP4 1GEORGE SUNIL THOPPUMPADY1 1A1 CHICKEN ( FORTKOCHI C/O RAJU )10 1AFSAL POLAKANDAM2 GEORGE SUNIL THOPPUMPADYPICKUP1 JOB / LISSY XAVERPICKUP8 2JOLY THOPPUMPADY36 2ALEENA C/O RAIU THOPPUMPADY – Morning25 2ANTONY KANDHAKADAVU8 JOHNY MUNDHAMVELIEICHER0 JOHNSON PERUMBADAPPU – PICKUPPICKUP0 3POLY JOSEPH SOUDI PALLY ( JOSEPH THOPPUMPADY ) – PICKUP4 3ALEX KANDHAKADAVU5 3ANTONY KANNAMALY – Morning84 JOJO POLAKANDOMEICHER0 JOSI KUMBALANGYEICHER7 4RINSHAD POLAKANDAM68 4ANIE PETER KOOVAPADAM6 4LOUIS MUNDHAMVELI35 JOLY ISLAND – MorningEICHER2 JOY c/o ANTONY KOLLASSERY – PICKUPPICKUP0 5SHAJAHAN CHERLAYI KADAVU ( SHAJAHAN THOPPUMPADY )1 5ANTONY THOPPUMPADY – Morning12 5TELBIN THOPPUMPADY45 JOLY THOPPUMPADYPICKUP36 LAILA NISSAM PALLURUTHYPICKUP6 6SUSAN POLAKANDOM2 6JOLY ISLAND – Morning2 6BIBIN’S PALLURUTHY63 JOSEPH MUNDHAMVELIEICHER52 LISSIE XAVIOR PALLURUTHYsmall EICHER 3 7ALEX NANMA LINE – PICKUP2 7JOSEPH MUNDHAMVELI52 7JABBAR PALLURUTHY2 JUSTIN C/O JHONYEICHER12 MANSOOR PALLURUTHYEICHER0 8ARUN PERUMPADAPPU – PICKUP5 8JUSTIN C/O JHONY12 8LISSIE XAVIOR PALLURUTHY3 LOUIS MUNDHAMVELIsmall EICHER 35 MITHUN PMJ CHICKEN (P)small EICHER 1 9JAIMI PALLURUTHY – PICKUP56 9PETER NAVY MUNDHAMVELI23 9MITHUN PMJ CHICKEN (P)1 PETER NAVY MUNDHAMVELIEICHER23 NISSAR JABBAR PALLURUTHYEICHER0 10JENSON EDAKOCHI (P) – PICKUP4 10RAJU THOPPUMPADY – Morning5 10NIYAS PALLURUTY2 POLY JOSEPH SOUDI PALLY ( JOSEPH THOPPUMPADY ) – PICKUPPICKUP4 NIYAS PALLURUTYsmall EICHER 2 11JOB / LISSY XAVER8 11SANSON MUNDHAMVELI23 11PHILIP KUMBALANGY (P)23 RAJU THOPPUMPADY – MorningEICHER5 NOUSHAD PALLURUTHYEICHER6 12LAILA NISSAM PALLURUTHY6 12SELMA THOPPUMPADY2 12SUDHEER PALLURUTHY R.C5 RINSHAD POLAKANDAMPICKUP68 PETER PALLURUTHYPICKUP0 13ROBIN EDAKOCHI – PICKUP56 13SIMI THOPUMPADY3 SANSON MUNDHAMVELIEICHER23 PHILIP KUMBALANGY (P)small EICHER 23 14SABU PERUMBADAPPU – PICKUP49 14CLETUS PALLURUTHY4 SELESTIN KANNAMALYEICHER0 ROBIN EDAKOCHI – PICKUPPICKUP56 15SAINU JABBAR PALLURUTHY5 15JOSI KUMBALANGY7 SELMA THOPPUMPADYEICHER2 SABU PERUMBADAPPU – PICKUPPICKUP49 16SOUMYA KUMBALANGY2 16NOUSHAD PALLURUTHY6 SHAJAHAN CHERLAYI KADAVU ( SHAJAHAN THOPPUMPADY )PICKUP1 SAINU JABBAR PALLURUTHYPICKUP5 17THANKACHAN PALLURUTHY (P) – PICKUP3 SHYBU CHELLANAMEICHER0 SANU STORESsmall EICHER 0 SIMI THOPUMPADYEICHER3 SIYAD PALLURUTHY – PICKUPPICKUP0 TOTAL BOXES =308 TOTAL BOXES =197 TOTAL BOXES =273 SUSAN POLAKANDOMPICKUP2 SOUMYA KUMBALANGYPICKUP2 TELBIN THOPPUMPADYsmall EICHER 45 SUDHEER PALLURUTHY R.Csmall EICHER 5 VINOD PETER NAVY MUNDHAMVELIEICHER0 THANKACHAN PALLURUTHY (P) – PICKUPPICKUP3 THOMAS JANSON PALLURUTHYEICHER0
input and sample outputs are demonstrated in the excel along with this post. please check it and give me a solution. Because I want to separate data in the list as per the order sheet in my shop with formula in excel. experts please help me. https://docs.google.com/spreadsheets/d/1EgVxGlPhbh_385S2PKNL3YtGEol8RpSlSvQnolJ1gzE/edit?usp=sharing INPUT VALUES CUSTOMER NAMEVEHICLE NO OF BOXES CUSTOMER NAMEVEHICLENO OF BOXES A1 CHICKEN ( FORTKOCHI C/O RAJU )EICHER10 ALEX NANMA LINE – PICKUPPICKUP2 AFSAL POLAKANDAMsmall EICHER 2 ARUN PERUMPADAPPU – PICKUPPICKUP5 ALEENA C/O RAIU THOPPUMPADY – MorningEICHER25 BIBIN’S PALLURUTHYsmall EICHER 63 ALEX KANDHAKADAVUEICHER5 CLETUS PALLURUTHYEICHER4 sample OUTPUT MUST BE LIKE THE list given belowANIE PETER KOOVAPADAMEICHER6 HAMSA PALLURUTHYEICHER0 remove the entire row if the value is equal to 0.00ANTONY KANDHAKADAVUsmall EICHER 8 JABBAR PALLURUTHYsmall EICHER 2 ANTONY THOPPUMPADY – MorningEICHER12 JAIMI PALLURUTHY – PICKUPPICKUP56 LIST 1 : PICKUP LIST 2 : EICHER LIST 3: small EICHER ANTONY KANNAMALY – Morningsmall EICHER 84 JENSON EDAKOCHI (P) – PICKUPPICKUP4 1GEORGE SUNIL THOPPUMPADY1 1A1 CHICKEN ( FORTKOCHI C/O RAJU )10 1AFSAL POLAKANDAM2 GEORGE SUNIL THOPPUMPADYPICKUP1 JOB / LISSY XAVERPICKUP8 2JOLY THOPPUMPADY36 2ALEENA C/O RAIU THOPPUMPADY – Morning25 2ANTONY KANDHAKADAVU8 JOHNY MUNDHAMVELIEICHER0 JOHNSON PERUMBADAPPU – PICKUPPICKUP0 3POLY JOSEPH SOUDI PALLY ( JOSEPH THOPPUMPADY ) – PICKUP4 3ALEX KANDHAKADAVU5 3ANTONY KANNAMALY – Morning84 JOJO POLAKANDOMEICHER0 JOSI KUMBALANGYEICHER7 4RINSHAD POLAKANDAM68 4ANIE PETER KOOVAPADAM6 4LOUIS MUNDHAMVELI35 JOLY ISLAND – MorningEICHER2 JOY c/o ANTONY KOLLASSERY – PICKUPPICKUP0 5SHAJAHAN CHERLAYI KADAVU ( SHAJAHAN THOPPUMPADY )1 5ANTONY THOPPUMPADY – Morning12 5TELBIN THOPPUMPADY45 JOLY THOPPUMPADYPICKUP36 LAILA NISSAM PALLURUTHYPICKUP6 6SUSAN POLAKANDOM2 6JOLY ISLAND – Morning2 6BIBIN’S PALLURUTHY63 JOSEPH MUNDHAMVELIEICHER52 LISSIE XAVIOR PALLURUTHYsmall EICHER 3 7ALEX NANMA LINE – PICKUP2 7JOSEPH MUNDHAMVELI52 7JABBAR PALLURUTHY2 JUSTIN C/O JHONYEICHER12 MANSOOR PALLURUTHYEICHER0 8ARUN PERUMPADAPPU – PICKUP5 8JUSTIN C/O JHONY12 8LISSIE XAVIOR PALLURUTHY3 LOUIS MUNDHAMVELIsmall EICHER 35 MITHUN PMJ CHICKEN (P)small EICHER 1 9JAIMI PALLURUTHY – PICKUP56 9PETER NAVY MUNDHAMVELI23 9MITHUN PMJ CHICKEN (P)1 PETER NAVY MUNDHAMVELIEICHER23 NISSAR JABBAR PALLURUTHYEICHER0 10JENSON EDAKOCHI (P) – PICKUP4 10RAJU THOPPUMPADY – Morning5 10NIYAS PALLURUTY2 POLY JOSEPH SOUDI PALLY ( JOSEPH THOPPUMPADY ) – PICKUPPICKUP4 NIYAS PALLURUTYsmall EICHER 2 11JOB / LISSY XAVER8 11SANSON MUNDHAMVELI23 11PHILIP KUMBALANGY (P)23 RAJU THOPPUMPADY – MorningEICHER5 NOUSHAD PALLURUTHYEICHER6 12LAILA NISSAM PALLURUTHY6 12SELMA THOPPUMPADY2 12SUDHEER PALLURUTHY R.C5 RINSHAD POLAKANDAMPICKUP68 PETER PALLURUTHYPICKUP0 13ROBIN EDAKOCHI – PICKUP56 13SIMI THOPUMPADY3 SANSON MUNDHAMVELIEICHER23 PHILIP KUMBALANGY (P)small EICHER 23 14SABU PERUMBADAPPU – PICKUP49 14CLETUS PALLURUTHY4 SELESTIN KANNAMALYEICHER0 ROBIN EDAKOCHI – PICKUPPICKUP56 15SAINU JABBAR PALLURUTHY5 15JOSI KUMBALANGY7 SELMA THOPPUMPADYEICHER2 SABU PERUMBADAPPU – PICKUPPICKUP49 16SOUMYA KUMBALANGY2 16NOUSHAD PALLURUTHY6 SHAJAHAN CHERLAYI KADAVU ( SHAJAHAN THOPPUMPADY )PICKUP1 SAINU JABBAR PALLURUTHYPICKUP5 17THANKACHAN PALLURUTHY (P) – PICKUP3 SHYBU CHELLANAMEICHER0 SANU STORESsmall EICHER 0 SIMI THOPUMPADYEICHER3 SIYAD PALLURUTHY – PICKUPPICKUP0 TOTAL BOXES =308 TOTAL BOXES =197 TOTAL BOXES =273 SUSAN POLAKANDOMPICKUP2 SOUMYA KUMBALANGYPICKUP2 TELBIN THOPPUMPADYsmall EICHER 45 SUDHEER PALLURUTHY R.Csmall EICHER 5 VINOD PETER NAVY MUNDHAMVELIEICHER0 THANKACHAN PALLURUTHY (P) – PICKUPPICKUP3 THOMAS JANSON PALLURUTHYEICHER0 Read More
How Can I Convert PDF to Excel Spreadsheet in Windows 11?
Is there any good option out there that could help me convert pdf to excel and retain the original format? I have dozens of PDF files (contain useful data set) and want to pull off the data directly to an excel spreadsheet. .xls or .xlsx are fine for me.
However, I tried the Excel app but it can’t open PDF file. Now, I am stuck. I’ve tried a couple of online pdf to excel converters, but they either mess up the formatting or have limitations on the number of pages. Does anyone have a solid recommendation to convert PDF to Excel that works well on Windows 11? Ideally, something that’s easy to use and keeps the formatting intact after PDF to excel conversion. Free options are a bonus, but I’m open to paid solutions if they get the job done right.
Is there any good option out there that could help me convert pdf to excel and retain the original format? I have dozens of PDF files (contain useful data set) and want to pull off the data directly to an excel spreadsheet. .xls or .xlsx are fine for me. However, I tried the Excel app but it can’t open PDF file. Now, I am stuck. I’ve tried a couple of online pdf to excel converters, but they either mess up the formatting or have limitations on the number of pages. Does anyone have a solid recommendation to convert PDF to Excel that works well on Windows 11? Ideally, something that’s easy to use and keeps the formatting intact after PDF to excel conversion. Free options are a bonus, but I’m open to paid solutions if they get the job done right. Read More
OneDrive Error – Unable to open file via Open in App
This error has occurred with one of our users.
When they go to open a PDF via Open in App, they get ‘Error 0x80070183 – The cloud sync provider failed to perform the operation due to low system resources’ (see image attached).
I checked the users C drive and it was quite full so I went on and deleted all the items from the OneDrive Cache, all items from their downloads, and went on to empty their Recycle bin.
We checked this again the following day and the error still appeared.
If there a limit to how much you need to have available to use this function?
The user definitely has several GB free which I thought would be enough.
I know OneDrive creates temporary folders to host files when using Open in App, so I understand the requirement for free space, but I’m not sure why it’s so much, if that is in fact the cause.
Any feedback here would be appreciated.
Thanks in advance,
Chris
This error has occurred with one of our users. When they go to open a PDF via Open in App, they get ‘Error 0x80070183 – The cloud sync provider failed to perform the operation due to low system resources’ (see image attached).I checked the users C drive and it was quite full so I went on and deleted all the items from the OneDrive Cache, all items from their downloads, and went on to empty their Recycle bin. We checked this again the following day and the error still appeared. If there a limit to how much you need to have available to use this function?The user definitely has several GB free which I thought would be enough. I know OneDrive creates temporary folders to host files when using Open in App, so I understand the requirement for free space, but I’m not sure why it’s so much, if that is in fact the cause. Any feedback here would be appreciated. Thanks in advance, Chris Read More
How can I resolve QuickBooks Company File Error 6143?
I’m encountering QuickBooks Company File Error 6143 when trying to open my company file. How can I fix this issue?
I’m encountering QuickBooks Company File Error 6143 when trying to open my company file. How can I fix this issue? Read More
What are common causes and solutions for QuickBooks error 15225?
I’m encountering QuickBooks Error 15225 while trying to update my QuickBooks software. What could be causing this issue, and how can I fix it?
I’m encountering QuickBooks Error 15225 while trying to update my QuickBooks software. What could be causing this issue, and how can I fix it? Read More
How to host your custom domain name mailbox on Outlook.com for free
It’s possible to host your personal domain name mailbox on Outlook.com free of charge, here’s how. For this example, the email address to host is email address removed for privacy reasons
Temporarily forward email for email address removed for privacy reasons to an existing mailboxGet a free Microsoft Account using email address removed for privacy reasons as your email addressChange the DNS MX record for example.com to outlook-com.olc.protection.outlook.com.In Outlook.com settings, change Email > Sync email > Default from address to email address removed for privacy reasons
That’s it. Incoming emails for email address removed for privacy reasons will start appearing in your new Outlook.com mailbox, and you can reply to them too. No Microsoft 365 or Exchange Online account necessary.
It’s possible to host your personal domain name mailbox on Outlook.com free of charge, here’s how. For this example, the email address to host is email address removed for privacy reasons Temporarily forward email for email address removed for privacy reasons to an existing mailboxGet a free Microsoft Account using email address removed for privacy reasons as your email addressChange the DNS MX record for example.com to outlook-com.olc.protection.outlook.com.In Outlook.com settings, change Email > Sync email > Default from address to email address removed for privacy reasons That’s it. Incoming emails for email address removed for privacy reasons will start appearing in your new Outlook.com mailbox, and you can reply to them too. No Microsoft 365 or Exchange Online account necessary. Read More
How to solve QuickBooks Error H202 When Switching Multi-user Mode?
I keep encountering the QuickBooks Error H202 when attempting to switch to multi-user mode. How can I resolve this issue quickly?
I keep encountering the QuickBooks Error H202 when attempting to switch to multi-user mode. How can I resolve this issue quickly? Read More
What are common causes of QuickBooks error 40001 and how to fix it?
I’m encountering QuickBooks error 40001 while trying to perform certain actions in the software. It’s disrupting my workflow, and I need a solution urgently. What could be causing this error, and how can I fix it?
I’m encountering QuickBooks error 40001 while trying to perform certain actions in the software. It’s disrupting my workflow, and I need a solution urgently. What could be causing this error, and how can I fix it? Read More
Migration from hybrid active directory & hybrid exchange to cloud-only environment
Is it generally possible to migrate from hybrid active directory & hybrid exchange to a cloud-only environment with Entra ID and Exchange online & additional virtual machine in Azure?
One service provider advised against this and said that once a hybrid environment exists, it must be maintained forever.
Background: we want to shut down our data center and outsource everything to the cloud
Is it generally possible to migrate from hybrid active directory & hybrid exchange to a cloud-only environment with Entra ID and Exchange online & additional virtual machine in Azure?One service provider advised against this and said that once a hybrid environment exists, it must be maintained forever.Background: we want to shut down our data center and outsource everything to the cloud Read More