Exchange 2003 works slowy
Exchange 2013 Test-ActiveSyncConnectivity works, but Test-OutlookWebServices fails with Unable to find the client accesss monitoring user
Exchange 2013 CU1 running in a test forest with multiple servers.
I have created the test accounts using the scripts, and I can run Test-ActiveSyncConnectivity with no problems.
However, when run Test-OutlookWebServices i get Microsoft.Exchange.Monitoring.MailboxNotFoundException and asks me to create the test mailbox
I can run get-mailbox with the test mailbox its shows in the error and it returns the mailbox without issues.
Does anyone have any ideas?
W3svc access error
I have a workstation configured with Exchange management console. When I log in as a domain admin with Exchange rights in the root domain, I connect and get in with no problems.
I used RBAC to give a user in a child domain the same rights as the recipient management group, but limited the scope of their access to the child domain.
When this user tries to use exchange management console on the same machine as the enterprise administrator, he gets the error that the world wide web publishing service is not running on any exchange servers in the organization.
If I log off and back on as the administrator, I have no problems. So this is a permissions issue, rather than services issue...... but what else do I have to perform to let this user in the child domain access the management console to perform the tasks I delegated to them?
Thanks!
Tracy Cleeton MCSE
E2010: Monitoring online maintenance
I'm working on getting several production database defragged. I'm migrating all mailboxes to another mailbox, then cleaning up mailboxes that are SoftDeleted. I'd like to know when Exchange is done organizing the pages before I kick off the defrag because, if I do, the defrag takes just a minute or two.
I'm working on doing this all in a script so the question is, "How can I detect when the cleanup is done? Thanks.
In case anyone is interested, here is the current code:
<# .Synopsis Defrag Exchange database .DESCRIPTION This script takes a user-defined Exchange database and user-defined location for the temporary .edb file. In Exchange 2010, the script checks for DAG-protected copies and dismounts them before defragging. After the defrag, the inactive database copy is updated. .NOTES Author: Mike Hashemi V1 date: 24 Apr 13 .PARAMETER ExchangeVersion Required Parameter. Valid entries are '2007' and '2010'. This parameter is used to determine the name of the Exchange Powershell snapin. .PARAMETER DatabaseName Required Parameter. This parameter represents the name of the database to defrag. The .PARAMETER TempDBPath .EXAMPLE .\defragExchangeDatabase-Parameterized.ps1 -ExchangeVersion 2010 -DatabaseName db1 -TempDBPath P:\ In this example, the script will defrag the Exchange 2010 database called db1. The temporary .edb file will be stored in the root of P:\. .EXAMPLE .\defragExchangeDatabase-Parameterized.ps1 -ExchangeVersion 2007 -DatabaseName db1 -TempDBPath P:\ In this example, the script will defrag the Exchange 2007 database called db1. The temporary .edb file will be stored in the root of P:\. #> [CmdletBinding()] param( [Parameter(Mandatory=$True)] [ValidateSet("2007","2010")] [string]$ExchangeVersion, [Parameter(Mandatory=$True)] [string]$DatabaseName, [Parameter(Mandatory=$True)] [string]$TempDBPath ) If ($ExchangeVersion -eq "2007") { $ExchangeSnapin = "Microsoft.Exchange.Management.PowerShell.Admin" } Else { $ExchangeSnapin = "Microsoft.Exchange.Management.PowerShell.E2010" } #Load snapin, then test for success Add-PSSnapin $ExchangeSnapin –ErrorAction SilentlyContinue If ((Get-PSSnapin $ExchangeSnapin -ErrorAction SilentlyContinue) –eq $null){ # If snapin is not loaded, notify user with required details Write-Host Write-Host ("This script requires the Powershell snapin: {0}. Please make sure you've got the Exchange {1} tools installed." -f $ExchangeSnapin,$ExchangeVersion) -ForegroundColor Red Exit } Else { Write-Host "Did you remember to put the database/server into Maintenance mode? Enter 'Y' to continue or 'N' to exit the script." -ForegroundColor Yellow $response = Read-Host If ($response -ne "Y") {Exit} #Cleanup soft-deleted mailboxes Write-Host "Cleaning up soft-deleted mailboxes." $mailboxes = Get-MailboxStatistics -Database $DatabaseName | Where {$_.DisconnectReason -eq "SoftDeleted"} If ($mailboxes) { Foreach ($mailbox in $mailboxes) { Remove-StoreMailbox -Database $mailbox.Database -Identity $mailbox.MailboxGuid -MailboxState SoftDeleted -Confirm:$False } } Else { Write-Host ("There are no SoftDeleted mailboxes in {0}." -f $DatabaseName) Write-Host "" } #Setup variables ##Get the database's path Try { $edbPath = Get-MailboxDatabase -Identity $DatabaseName -ErrorAction Stop | Select-Object -ExpandProperty EdbFilePath $edbPath = $edbPath.PathName } Catch { Write-Host ("There was an unknown error getting the specificied mailbox database. The specific error is: {0}" -f $_.Exception.Message) -ForegroundColor Red } ##Validate temp db path While (!(Test-Path $TempDBPath)) { Write-Host ("The path, '{0}' is invalid or inaccessible. Press any key to re-enter the path or CTRL+C to exit the script." -f $TempDBPath) -ForegroundColor Red $TempDBPath = Read-Host "Where do you want to store the temporary database?" } $tempDB = $TempDBPath.TrimEnd("\") + "\tempDB-" + $DatabaseName + ".edb" Write-Host ("In case you're wondering, the temp database is at: {0}" -f $tempDB) #Done setting up variables #Check if a backup is in progress While ((Get-MailboxDatabase -Status $DatabaseName).BackupInProgress) {Write-Host ("A backup of {0} is in progress. Press CTRL+C to exit the script, or wait for the backup to finish. Checking again in 60 seconds." -f $DatabaseName) -ForegroundColor Yellow; Start-Sleep 60} If ($ExchangeVersion -eq "2010") { #If using Exchange 2010, check if there is a DAG-protected copy of the database and suspend replication. #Get the passive copy $inactiveCopy = Get-MailboxDatabaseCopyStatus $DatabaseName | Where {$_.ActiveCopy -eq $False} #Suspend the inactive copy (if there is one) If ($inactiveCopy) { Write-Host ("Suspending {0} for the defrag." -f $inactiveCopy.Name) $inactiveCopy | Suspend-MailboxDatabaseCopy -SuspendComment "Defragging" -Confirm:$False} } #Dismount If ((Get-MailboxDatabase -Status $DatabaseName).Mounted) { Dismount-Database -Identity $DatabaseName -Confirm:$False } #Defrag ESEUTIL /d $edbPath /t $tempDB #Mount Try { Mount-Database -Identity $DatabaseName } Catch { Write-Host ("There was an unknown error mounting the specificied mailbox database. The specific error is: {0}" -f $_.Exception.Message) -ForegroundColor Red } #Resume replication if the database is DAG-protected If (($ExchangeVersion -eq "2010") -and ($inactiveCopy)) { #Update the passive copy (if there is one) Write-Host ("Seeding {0} after the defrag." -f $inactiveCopy.Name) $inactiveCopy | Update-MailboxDatabaseCopy -SourceServer $env:COMPUTERNAME -DeleteExistingFiles If ($inactiveCopy.ActivationSuspended -eq $True) { $inactiveCopy | Resume-MailboxDatabaseCopy -ReplicationOnly } Else { $inactiveCopy | Resume-MailboxDatabaseCopy } } }
OutlookAnywhere Identity name Changed
Was in the middle of changing OutlookAnywhere auththentication and must have did something wrong because when I ran get-Outlookanywhere my Identity is "servername\servername\rpc (default web sit)". Does anyone know how to change it? I try adsiedit but don't know where to look. It doesn't seem to affect functionality.
John
John
Exchange 2013 ECP error
Hi,
I just installed Exchange 2013 on Server 2012 Std. in a test environment. When I try to launch ECP, it comes up with HTTP Error 404.0 - Not Found message. I'm usinghttps://server_name/ecp to access it.
The details of erro are as following:
Detailed Error Information:
Module | IIS Web Core |
---|---|
Notification | MapRequestHandler |
Handler | StaticFile |
Error Code | 0x80070002 |
Requested URL | https://192.168.0.99:443/ecp/ |
---|---|
Physical Path | C:\inetpub\wwwroot\ecp\ |
Logon Method | Anonymous |
Logon User | Anonymous |
I've verified the path to 'ECP' in IIS Manager. It is pointing to where 'ecp' folder is installed:
C:\Program Files\Microsoft\Exchange Server\ClientAccess\ecp
I don't understand why the error message is showing the path to be in C:\Inetpub\wwwroot\ecp
Can anyone please shed some light as to how I can resolve this issue.
Any help will be greatly appreciated.
Best regards,
Parm :)
Parmjit Singh BR Systems
Exchange server not available from local LAN but is available from remote when using Outlook.
After a recent reboot of a server that was recently inherited from another tech, our Exchange 2010 server (running on SBS 2011) is not responding to our Outlook 2010 clients from-within the local LAN-.
Interestingly, the server is available to clients connecting via Outlook from remote offices. Testing from: https://www.testexchangeconnectivity.com/ checks out via Outlook 'Autodiscover' and and 'Anywhere' explaining why people can remotely connect, but what would be causing the local connectivity issues.
Here's what I've done:
- DNS resolution: OK
- Ping: OK
- Connect with remote Outlook client: OK
- Connect with testexchangeconnectivity.com: OK with warnings
- autodiscovery URL not available at base FQDN, but the autodiscover DNS host works.
- directory services point back to local domain hostname - Re-created user: FAIL
- Removed/re-created Outlook 2010 Profile: FAIL
- Created new user: FAIL from local LAN, OK from remote
I get the feeling that there's some sort of restriction setting somewhere that I'm missing.
Any thoughts?
Thanks,
-- Wyness
Exchange 2013 how to config Access to Active Directory
Hi all,
In my environment , I have 2 DC (PDC , BDC ) both can write to active directory database and replicate each other , PDC hold 5 FSMO roles .
As I read information at
Access to Active Directory , my Exchange servers will "binds to a randomly selected domain controller and global catalog server in its own site" .
Here is my exchange server config :
Get-ExchangeServer -Identity ex01 | fl ... StaticDomainControllers : {} StaticGlobalCatalogs : {} StaticConfigDomainController : StaticExcludedDomainControllers : {} ... CurrentDomainControllers : {} CurrentGlobalCatalogs : {} CurrentConfigDomainController : ... OriginatingServer : pdc.domain.local
I want to use
Set-ExchangeServer cmdlet to configure a static list of domain controllers to which an Exchange 2013 server should bind , in case my DCs have problem .
Today , my PDC shutdown unexpectedly , my Exchange servers don't know how to authenticate (it try to ask PDC) although BDC is working , so we have to wait until PDC start up again.
And what "OriginatingServer : pdc.domail.local" mean ?
Hope you can help . Thank in advance.
Jack.
No AgentLog but Everything enabled?
Hello everyone,
I have Exchange 2013 installed (everything on one machine for Lab purposes) but there is no AgentLog available. But I am sure it is enabled. Below is the property-List of TransportService. What is wrong here? I have enabled Logging and AntiSpamAgents...
Thanks!!
Regards
Christian
PSComputerName : s010.mydomain.local
RunspaceId : 0fd05253-cb25-49d1-a1d4-702e4855920e
PSShowComputerName : False
Name : S010
AntispamAgentsEnabled : True
ConnectivityLogEnabled : True
ConnectivityLogMaxAge : 30.00:00:00
ConnectivityLogMaxDirectorySize : 1000 MB (1,048,576,000 bytes)
ConnectivityLogMaxFileSize : 10 MB (10,485,760 bytes)
ConnectivityLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\Connectivity
DelayNotificationTimeout : 04:00:00
ExternalDNSAdapterEnabled : True
ExternalDNSAdapterGuid : 00000000-0000-0000-0000-000000000000
ExternalDNSProtocolOption : Any
ExternalDNSServers : {}
ExternalIPAddress :
InternalDNSAdapterEnabled : True
InternalDNSAdapterGuid : 00000000-0000-0000-0000-000000000000
InternalDNSProtocolOption : Any
InternalDNSServers : {}
MaxConcurrentMailboxDeliveries : 20
MaxConcurrentMailboxSubmissions : 20
MaxConnectionRatePerMinute : 1200
MaxOutboundConnections : 1000
MaxPerDomainOutboundConnections : 20
MessageExpirationTimeout : 2.00:00:00
MessageRetryInterval : 00:01:00
MessageTrackingLogEnabled : True
MessageTrackingLogMaxAge : 30.00:00:00
MessageTrackingLogMaxDirectorySize : 1000 MB (1,048,576,000 bytes)
MessageTrackingLogMaxFileSize : 10 MB (10,485,760 bytes)
MessageTrackingLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\MessageTracking
IrmLogEnabled : True
IrmLogMaxAge : 30.00:00:00
IrmLogMaxDirectorySize : 250 MB (262,144,000 bytes)
IrmLogMaxFileSize : 10 MB (10,485,760 bytes)
IrmLogPath : C:\Program Files\Microsoft\Exchange Server\V15\Logging\IRMLogs
ActiveUserStatisticsLogMaxAge : 30.00:00:00
ActiveUserStatisticsLogMaxDirectorySize : 250 MB (262,144,000 bytes)
ActiveUserStatisticsLogMaxFileSize : 10 MB (10,485,760 bytes)
ActiveUserStatisticsLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\ActiveUsersStats
ServerStatisticsLogMaxAge : 30.00:00:00
ServerStatisticsLogMaxDirectorySize : 250 MB (262,144,000 bytes)
ServerStatisticsLogMaxFileSize : 10 MB (10,485,760 bytes)
ServerStatisticsLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\ServerStats
MessageTrackingLogSubjectLoggingEnabled : True
OutboundConnectionFailureRetryInterval : 00:10:00
IntraOrgConnectorProtocolLoggingLevel : None
PickupDirectoryMaxHeaderSize : 64 KB (65,536 bytes)
PickupDirectoryMaxMessagesPerMinute : 100
PickupDirectoryMaxRecipientsPerMessage : 100
PickupDirectoryPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Pickup
PipelineTracingEnabled : False
ContentConversionTracingEnabled : False
PipelineTracingPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\PipelineTracing
PipelineTracingSenderAddress :
PoisonMessageDetectionEnabled : True
PoisonThreshold : 2
QueueMaxIdleTime : 00:03:00
ReceiveProtocolLogMaxAge : 30.00:00:00
ReceiveProtocolLogMaxDirectorySize : 250 MB (262,144,000 bytes)
ReceiveProtocolLogMaxFileSize : 10 MB (10,485,760 bytes)
ReceiveProtocolLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\ProtocolLog\SmtpReceive
RecipientValidationCacheEnabled : False
ReplayDirectoryPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Replay
RootDropDirectoryPath :
RoutingTableLogMaxAge : 7.00:00:00
RoutingTableLogMaxDirectorySize : 50 MB (52,428,800 bytes)
RoutingTableLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\Routing
SendProtocolLogMaxAge : 30.00:00:00
SendProtocolLogMaxDirectorySize : 250 MB (262,144,000 bytes)
SendProtocolLogMaxFileSize : 10 MB (10,485,760 bytes)
SendProtocolLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\ProtocolLog\SmtpSend
TransientFailureRetryCount : 6
TransientFailureRetryInterval : 00:05:00
AntispamUpdatesEnabled : False
InternalTransportCertificateThumbprint : C5814F4FFC2F4F6F2EA5AFA9051148992B279766
TransportSyncEnabled : False
TransportSyncPopEnabled : False
WindowsLiveHotmailTransportSyncEnabled : False
WindowsLiveContactTransportSyncEnabled : False
TransportSyncExchangeEnabled : False
TransportSyncImapEnabled : False
MaxNumberOfTransportSyncAttempts : 3
MaxActiveTransportSyncJobsPerProcessor : 16
HttpTransportSyncProxyServer :
HttpProtocolLogEnabled : False
HttpProtocolLogFilePath :
HttpProtocolLogMaxAge : 7.00:00:00
HttpProtocolLogMaxDirectorySize : 250 MB (262,144,000 bytes)
HttpProtocolLogMaxFileSize : 10 MB (10,485,760 bytes)
HttpProtocolLogLoggingLevel : None
TransportSyncLogEnabled : False
TransportSyncLogFilePath :
TransportSyncLogLoggingLevel : None
TransportSyncLogMaxAge : 30.00:00:00
TransportSyncLogMaxDirectorySize : 10 GB (10,737,418,240 bytes)
TransportSyncLogMaxFileSize : 10 MB (10,485,760 bytes)
TransportSyncHubHealthLogEnabled : False
TransportSyncHubHealthLogFilePath :
TransportSyncHubHealthLogMaxAge : 30.00:00:00
TransportSyncHubHealthLogMaxDirectorySize : 10 GB (10,737,418,240 bytes)
TransportSyncHubHealthLogMaxFileSize : 10 MB (10,485,760 bytes)
TransportSyncAccountsPoisonDetectionEnabled : False
TransportSyncAccountsPoisonAccountThreshold : 2
TransportSyncAccountsPoisonItemThreshold : 2
TransportSyncAccountsSuccessivePoisonItemThreshold : 3
TransportSyncRemoteConnectionTimeout : 00:01:40
TransportSyncMaxDownloadSizePerItem : 36 MB (37,748,736 bytes)
TransportSyncMaxDownloadSizePerConnection : 50 MB (52,428,800 bytes)
TransportSyncMaxDownloadItemsPerConnection : 1000
DeltaSyncClientCertificateThumbprint :
UseDowngradedExchangeServerAuth : False
IntraOrgConnectorSmtpMaxMessagesPerConnection : 20
TransportSyncLinkedInEnabled : False
TransportSyncFacebookEnabled : False
WorkloadManagementPolicy : DefaultWorkloadManagementPolicy_15.0.505.0
QueueLogMaxAge : 7.00:00:00
QueueLogMaxDirectorySize : 200 MB (209,715,200 bytes)
QueueLogMaxFileSize : 10 MB (10,485,760 bytes)
QueueLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\QueueViewer
WlmLogMaxAge : 7.00:00:00
WlmLogMaxDirectorySize : 250 MB (262,144,000 bytes)
WlmLogMaxFileSize : 10 MB (10,485,760 bytes)
WlmLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\WLM
AgentLogMaxAge : 7.00:00:00
AgentLogMaxDirectorySize : 250 MB (262,144,000 bytes)
AgentLogMaxFileSize : 10 MB (10,485,760 bytes)
AgentLogPath : C:\Program Files\Microsoft\Exchange
Server\V15\TransportRoles\Logs\Hub\AgentLog
AgentLogEnabled : True
Identity : S010
IsValid : True
ExchangeVersion : 0.1 (8.0.535.0)
DistinguishedName : CN=S010,CN=Servers,CN=Exchange Administrative Group
(FYDIBOHF23SPDLT),CN=Administrative
Groups,CN=mydomain,CN=Microsoft
Exchange,CN=Services,CN=Configuration,DC=mydomain,DC=local
Guid : 7d072aba-9d5d-4466-9656-74b4b6935ee1
ObjectCategory : mydomain.local/Configuration/Schema/ms-Exch-Exchange-Server
ObjectClass : {top, server, msExchExchangeServer}
WhenChanged : 06.05.2013 14:01:06
WhenCreated : 09.04.2013 22:23:06
WhenChangedUTC : 06.05.2013 12:01:06
WhenCreatedUTC : 09.04.2013 20:23:06
OrganizationId :
OriginatingServer : S010.mydomain.local
ObjectState : Unchanged
Export mailbox data from 32 bit system by using criteria of date but its failed..
Hi,
I am trying to export mailbox data from 32 bit system by using criteria of date but its failed..
I have given Full access permission on the account of which i am exporting data.
With normal command normally i export data successfully. Using below command:
Export-mailbox -Identity <target mailbox> -PSTFolderpath <folderpath/mailbox.pst>
But when i am including date parameter, it get failed:
Export-mailbox -Identity <target mailbox> -StartDate <mm/dd/yy> -PSTFolderpath <folderpath/mailbox.pst>
Please suggest me if anyone having solution..
Chetan
Maillbox Creation.
Exchange 2010 SP2 error
I received the following error when trying to install Exchange 2010 SP2:
The following error was generated when "$error.Clear();
install-CannedAddressLists -DomainController $RoleDomainController
"was run: "The ResourceAddressLists parameter can't have more than one member. Property Name:".
Exchange Server 2010 SP2: MSExchange Common 4999
I have 3 exchange server 2010 SP2 rollup 5v2.
On my 3 exchange server have the message error below:
Watson report about to be sent for process id: 7776, with parameters: E12, c-RTL-AMD64, 14.02.0328.009, edgetransport, M.Exchange.StoreDriver, SeekToCondition, StoragePermanentException, 5807929, 14.02.0328.009.
ErrorReportingEnabled: True
How can I fix it?
BR,
Khemarin
Khemarin333@hotmail.com
Delegate permissions did not retain complete rights after mailbox move
I moved a secretary's mailbox from Exchange 2007 Sp3 to Exchange 2010 SP2. Afterwards, the secretary's delegate permissions did not completely retain her rights to her attorney's calendar Exchange 2007 SP3 mailbox.
After going to the attorney's Outlook 2007 and resetting the delegate permission's on the calendar, all was well.
Was this fixed in a rollup? I went through the rollup's, and I didn't see a specific fix for this.
Any suggestions?
Thanks
Ron
Lots of warnings 1035 SmtpReceive
I get lots of warnings 1035 MSExchangeFrontEndTransport, SmtpReceive. Receiving mail is no problem. Details:
Inbound authentication failed with error LogonDenied for Receive connector Client Frontend ITSPECSRV. The authentication mechanism is Login. The source IP address of the client who tried to authenticate to Microsoft Exchange is [::1].
Leo
Moving messages in a date range to a different exchange mailbox (2013)
Hi,
I have a general inquiry and I am hoping someone has done this before and can give me a little insight.
The back story is we have a user that has a 14 GB mailbox and it just chokes out about any client they try to use it in. So what we would like to to is to create a second mailbox for him and move all messages that are older than 2 years from mailbox A (original) to mailbox B (new).
I have some thoughts on how I could do this but they do not seem like the most efficient way.
======Option1==========
My thought is to use a command such as
New-MailboxExportRequest -ContentFilter {(Received -lt '04/01/2010') -and (Received -gt '03/01/1950’)} -Mailbox "bsmith" -Name bsmithExp -FilePath\\ExServer1\Imports\bsmith.pst
And then import that into the new mailbox. Then use some form of ‘search-mailbox’ to delete the messages in that timeframe that were exported and imported to the new account once that is complete.
=====/End Option1===========
=====Option2=========
My other thought was to use an archive mailbox for this user. The person is a Mac user and uses apple mail, which has many of its own flaws and is largely part of the reason this is a problem, he has also tried serveral other clients however and they have all had issues because they try and keep all the data in sync and indexed on the local machine and the mailbox is of mammoth size and it makes the performance horrible.
The thing I am not sure about is how the archive mailbox will show up in the apple mail client and if it will end up having the same issue only the mail will just be physically located in a different place, that is why my first thought was to just move it out of his mailbox so that if he wants to go look for something he can just pop open owa for the secondary account and look on the rare occasion he needs something old.
======/End Option2=======
I suppose it would also be nice if there was a function of ‘search-mailbox’ cmdlet to find all messages in the date range and just move them to the other account but so far I haven’t been able to figure that out if it is even possible.
So does anyone have any insight on what the best option might be? Obviously this is not an issue we have run into before so trying to figure out the best way to have it work for both the user and admin (me)..hah.
Thanks!
/Ehren
Message Tracking Error in mail flow tools.
In our business i am sometimes requested to provide email server logs to prove that an email was sent to a client from our server.
Its not about whether or not they received it, simply that our part was successful. I.e. email delivery toook place.
How can i do this in Exchange 2010?
I am guessing it is in the TOOLS --> Message Tracking (or Tracking Log Explorer)
Whenever i try to use the Message Tracking Tools I get the following error:
---------------------------
Microsoft Exchange
---------------------------
An error occurred while enumerating through a collection: The (&(objectClass=msExchExchangeServer)(versionNumber>=1937801568)(msExchServerSite=)) search filter is invalid.. It was running the command 'Discover-EcpVirtualDirectoryForEmc -CurrentVersion 'Version 14.1 (Build 218.15)' -UseWIA $true'.
---------------------------
OK
---------------------------
Likewise whenever i try to use the Tracking Log Explorer, I enter the dates I am interested in, but i receive this error:
-----------------
Message Tracking Results - value cannot be null Parameter Name: parameters
-----------------
My question has two parts:
1. What are best practices for proving that a particular email was sent to a particular address on a particular time.
2. How can i over come these errors to allow me to use the Mail Flow Tools properly in Exchange 2010
Many thanks
James
Redirecting Exchange 2013 Logs
I have been moving the exchange logson a separate disk. Problem with movingto a network drive was solved using "mklink".However,there are 2 questions:
1) What rightsshould be granted to a network resourcethatexchangecould save logs to. So farsucceededonlyadding"domain\exchange-srv$"inthe local administrators groupon the server where thenetwork share located.
2) With just a fewcommands such as"set-transportservice" etc i'vemovedonly part of thelogs. Alsoediting theconfigfilesin the folder"bin" has helped in redirecting another part ofthe logs. So there isa question aboutthe rest ofwhat was leftin theloggingfolder. Is thereanywhere a completeguide onall possible exchange logs?
Thanks in advance.
Unable to monitor Exchange Server 2007
Hi,
I want to monitor exchange server 2007 using powershell scripts. Here are the scripts which I have used for that.
$secpasswd = ConvertTo-SecureString "password" -AsPlainText -Force $mycreds = New-object -typename System.Management.Automation.PSCredential("domain\Admin",
$secpasswd) Enter-pssession 192.168.1.153 –credential $mycreds
$server='client-pc-1.domain.com';$pwd= convertto-securestring 'password' -asplaintext -force;
$cred=new-object -typename System.Management.Automation.PSCredential -argumentlist 'Admin',
$pwd; invoke-command -computername $server -credential $cred -scriptblock {Add-PSSnapin
Microsoft.Exchange.Management.PowerShell.Admin; Get-ExchangeServer}
But I have landed in the following Exception
Processing data from remote server failed with the following error message: The WSMan provider host process did not return a proper response. A provider in the host process may have behaved improperly. For more information, see the about_Remote_Troubleshooting Help topic.+ CategoryInfo : OperationStopped: (System.Manageme...pressionSyncJob: PSInvokeExpressionSyncJob) [], PSRemotingTransportException + FullyQualifiedErrorId : JobFailure
Can anyone please help me to solve this?
Thanks
Sebastian
Exchange 2013 Application error 1000
Exchange ECP gets crash while login in exchange admin center im using windows 2012 standard server.
any idea ..