Error:The server cannot service the request because the media type is unsupported

Hi Experts,
I have configured one IDOC to web service synchronous scenario in SAP PI 7.31 using BPM. In the webservice response step of BPM we are getting the below error.
The server cannot service the request because the media type is unsupported.
Could you please assist?

Send the same xml from SOAP UI to test the webservice. If you get the similar response, you should check with your service provider on what is the expected content/format.
May be you might have to change the content type before sending the message to webservice.

Similar Messages

  • Why am I getting ExchangeWebServices Inbox Error: Error, ErrorServerBusy. The server cannot service this request right now. Try again later

    I recently switched my application that uses EWS from an on-premise Exchange Server to Exchage Online through Office356.
    The process worked just fine for several days, then I started getting the following errors;
    Error accessing [USERNAME] email account.; ExchangeWebServices Inbox Error: Error, ErrorServerBusy, The server cannot service this request right now. Try again later. --> 
    This has been happening for the past 14 hours now. 
    I contacted my Office365 support team and they acted like they had never heard of the Exchange Web Services API, so no help there.
    I can access the mailbox using the O365 web portal and I can access the mailbox account using the Outlook 2013 desktop client. The issue seems specific to EWS
    My program is a Windows service, written in VB.Net. It connects to EWS, goes to the user account inbox, iterates through the inbox extracting attachments from messages, then moves the messages to a saved folder below the inbox.
    I created the wrapper for EWS that I can reference in my project code using the following, run from an elevated VS2012 command prompt;
    wsdl.exe /namespace:ExchangeWebServices /out:EWS.cs https://outlook.office365.com/ews/services.wsdl /username:[email protected] /password:p@ssw0rd
    csc /out:EWS_E2K13_release /target:library EWS.cs
    I bind to EWS in my class, using the following code;
    Imports System.Net
    Imports ExchangeWebServices
    Public Class Exchange2013WebServiceClass
        Private ExchangeBinding As New ExchangeServiceBinding
        Public Sub New(ByVal userEmail As String, ByVal userPassword As String, ByVal URL As String)
            ExchangeBinding.Credentials = New NetworkCredential(userEmail, userPassword)
            ExchangeBinding.Url = URL
        End Sub
    The error that is logged gets triggered when my code makes a call to the following method;
        Public Function GetInboxMessageIDs() As ArrayOfRealItemsType
            Dim returnInboxMessageIds As ArrayOfRealItemsType = Nothing
            Dim errMsg As String = String.Empty
            'Create the request and specify the travesal type.
            Dim FindItemRequest As FindItemType
            FindItemRequest = New FindItemType
            FindItemRequest.Traversal = ItemQueryTraversalType.Shallow
            'Define which item properties are returned in the response.
            Dim ItemProperties As ItemResponseShapeType
            ItemProperties = New ItemResponseShapeType
            ItemProperties.BaseShape = DefaultShapeNamesType.IdOnly
            'Add properties shape to the request.
            FindItemRequest.ItemShape = ItemProperties
            'Identify which folders to search to find items.
            Dim FolderIDArray(0) As DistinguishedFolderIdType
            FolderIDArray(0) = New DistinguishedFolderIdType
            FolderIDArray(0).Id = DistinguishedFolderIdNameType.inbox
            'Add folders to the request.
            FindItemRequest.ParentFolderIds = FolderIDArray
            Try
                'Send the request and get the response.
                Dim FindItemResponse As FindItemResponseType
                FindItemResponse = ExchangeBinding.FindItem(FindItemRequest)
                'Get the response messages.
                Dim ResponseMessage As ResponseMessageType()
                ResponseMessage = FindItemResponse.ResponseMessages.Items
                Dim FindItemResponseMessage As FindItemResponseMessageType
                If ResponseMessage(0).ResponseClass = ResponseClassType.Success Then
                    FindItemResponseMessage = ResponseMessage(0)
                    returnInboxMessageIds = FindItemResponseMessage.RootFolder.Item
                Else
                    '' Server error
                    Dim responseClassStr As String = [Enum].GetName(GetType(ExchangeWebServices.ResponseClassType), ResponseMessage(0).ResponseClass).ToString
                    Dim responseCodeStr As String = [Enum].GetName(GetType(ExchangeWebServices.ResponseCodeType), ResponseMessage(0).ResponseCode).ToString
                    Dim messageTextStr As String = ResponseMessage(0).MessageText.ToString
                    Dim thisErrMsg As String = String.Format("ExchangeWebServices Inbox Error: {0}, {1}, {2}", responseClassStr, responseCodeStr, messageTextStr)
                    errMsg = If(errMsg.Equals(String.Empty), String.Empty, errMsg & "; ") & thisErrMsg
                End If
            Catch ex As Exception
                'errMsg = String.Join("; ", errMsg, ex.Message)
                errMsg = If(errMsg.Equals(String.Empty), String.Empty, errMsg & "; ") & ex.Message
            End Try
            If Not errMsg.Equals(String.Empty) Then
                returnInboxMessageIds = Nothing
                Throw New System.Exception(errMsg)
            End If
            Return returnInboxMessageIds
        End Function  
    Since the code worked just fine for several days and then suddenly stopped working with a server busy error, I have to think that this is some type of limit or throttling by EWS on the account. I process several thousand emails per day, in chunks of 300
    at a time. 
    But I have no idea how to check for any limits exceeded. I am nowhere close to my O365 mailbox size limit. Right now, there are over 4,000 messages in my inbox, and growing. 
    Thanks in advance for any ideas you can offer.
    Dave

    All the API's EWS, MAPI, ActiveSync,Remote powershell are throttled on Office365 (based around what 1 particular user could resonably do). If you have had a read of this already i would recommend
    http://msdn.microsoft.com/en-us/library/office/jj945066(v=exchg.150).aspx
     You can't adjust or even find your current throttle usage so you have to try to design your code around living inside the default limits. If your using One Service Account to access multiple Mailboxes (or if that account is because used across multiple
    applications) that can cause problems. In this case using EWS Impersonation is good solution as described in
    http://blogs.msdn.com/b/exchangedev/archive/2012/04/19/more-throttling-changes-for-exchange-online.aspx (this basically means the Target Mailbox is charged instead of the Service Account).
     Looking at the code one thing I notice missing is your don't appear to be paging the results of FindItems, also have versioned your requests to Exchagne2013. eg ". When the value of the
    RequestServerVersion element indicates Exchange 2010 or an earlier version of Exchange, the server sends a failure response with error code
    ErrorServerBusy. If the value of the RequestServerVersion
    element indicates a version of Exchange starting with Exchange 2010 SP1
    or Exchange Online, and the client is using paging, EWS may return a
    partial result set instead of an error"
    To Page FindItems Correctly you should use the IndexedPageViewType class and page the Items at no more the 1000 at a time eg something like
    IndexedPageViewType indexedPageView = new IndexedPageViewType();
    indexedPageView.BasePoint = IndexBasePointType.Beginning;
    indexedPageView.Offset = 0;
    indexedPageView.MaxEntriesReturned = 1000;
    indexedPageView.MaxEntriesReturnedSpecified = true;
    FindItemType findItemrequest = new FindItemType();
    findItemrequest.Item = indexedPageView;
    findItemrequest.ItemShape = new ItemResponseShapeType();
    findItemrequest.ItemShape.BaseShape = DefaultShapeNamesType.IdOnly;
    BasePathToElementType[] beAdditionproperties = new BasePathToElementType[3];
    PathToUnindexedFieldType SubjectField = new PathToUnindexedFieldType();
    SubjectField.FieldURI = UnindexedFieldURIType.itemSubject;
    beAdditionproperties[0] = SubjectField;
    PathToUnindexedFieldType RcvdTime = new PathToUnindexedFieldType();
    RcvdTime.FieldURI = UnindexedFieldURIType.itemDateTimeReceived;
    beAdditionproperties[1] = RcvdTime;
    PathToUnindexedFieldType ReadStatus = new PathToUnindexedFieldType();
    ReadStatus.FieldURI = UnindexedFieldURIType.messageIsRead;
    beAdditionproperties[2] = ReadStatus;
    findItemrequest.ItemShape.AdditionalProperties = beAdditionproperties;
    DistinguishedFolderIdType[] faFolderIDArray = new DistinguishedFolderIdType[1];
    faFolderIDArray[0] = new DistinguishedFolderIdType();
    faFolderIDArray[0].Mailbox = new EmailAddressType();
    faFolderIDArray[0].Mailbox.EmailAddress = "[email protected]";
    faFolderIDArray[0].Id = DistinguishedFolderIdNameType.inbox;
    bool moreAvailible = false;
    findItemrequest.ParentFolderIds = faFolderIDArray;
    int loopCount = 0;
    do
    FindItemResponseType frFindItemResponse = esb.FindItem(findItemrequest);
    if (frFindItemResponse.ResponseMessages.Items[0].ResponseClass == ResponseClassType.Success)
    foreach (FindItemResponseMessageType firmtMessage in frFindItemResponse.ResponseMessages.Items)
    Console.WriteLine("Number of Items retreived : " + ((ArrayOfRealItemsType)firmtMessage.RootFolder.Item).Items.Length);
    if (firmtMessage.RootFolder.IncludesLastItemInRange == false)
    moreAvailible = true;
    else
    moreAvailible = false;
    ((IndexedPageViewType)findItemrequest.Item).Offset += ((ArrayOfRealItemsType)firmtMessage.RootFolder.Item).Items.Length;
    Console.WriteLine("Offset : " + ((IndexedPageViewType)findItemrequest.Item).Offset);
    if (firmtMessage.RootFolder.TotalItemsInView > 0)
    foreach (ItemType miMailboxItem in ((ArrayOfRealItemsType)firmtMessage.RootFolder.Item).Items)
    Console.WriteLine(miMailboxItem.Subject);
    else
    throw new Exception("error " + frFindItemResponse.ResponseMessages.Items[0].MessageText);
    } while (moreAvailible);
    The support people should be able to help you as long as you can get past the first level. The EWS Managed API has a RequestId header that gets submitted with requests
    http://blogs.msdn.com/b/exchangedev/archive/2012/06/18/exchange-web-services-managed-api-1-2-1-now-released.aspx . In theory they should be able to take this and then from the Logs tell more information about why your request failed etc.
    Cheers
    Glen

  • EWS The server cannot service this request right now. Try again later.

    html,body{padding:0;margin:0;font-family:Verdana,Geneva,sans-serif;background:#fff;}html{font-size:100%}body{font-size:.75em;line-height:1.5;padding-top:1px;margin-top:-1px;}h1{font-size:2em;margin:.67em 0}h2{font-size:1.5em}h3{font-size:1.16em}h4{font-size:1em}h5{font-size:.83em}h6{font-size:.7em}p{margin:0
    0 1em;padding:0 .2em}.t-marker{display:none;}.t-paste-container{;left:-10000px;width:1px;height:1px;overflow:hidden}ul,ol{padding-left:2.5em}a{color:#00a}code, pre{font-size:1.23em}
    Hi,
    I do have a problem that Exchange 2013 CU7 is giving mit a "The server cannot service this request right now. Try again later." when trying to access some accounts using EWS and impersonation.
    I know there might be throttling involved and for that I did make an separate policy and assigned it to the users (EWS andthe mailbox - just in case...)
    Here is what I got from the EWS logs:
    .007Z,f973ffeb-b1fa-4946-a9b4-acb047ea1b37,15,0,1044,21,,NTLM,true,[email protected],domain,ExchangeServicesClient/0.0.0.0,Target=None;Req=Exchange2007_SP1/Exchange2007_SP1;,192.168.0.100,EWS15MB1,EWS15MB3.domain,FindItem,200,1041,,ErrorServerBusy,[email protected],,,cc91dc21f4c542acb64f196ec47ae727,c314fd38-a24e-4bcb-992e-e009c7adcb4e,PrimaryServer,LocalTask,0,1,0,1,0,0,1,0,0,,,,,,,,,0
    Max,0 Max,,,,EWS_BO,0.1067,[C],0,0,10,390,,,5,0,,6,15,695,713,,,BackEndAuthenticator=WindowsAuthenticator;TotalBERehydrationModuleLatency=0;AuthzFlags=AuthzSkipTokenGroups;FindItemQueryFilter=(True);AQS=False;MailboxTypeCacheSize=2039;S:WLM.Cl=InternalMaintenance;S:ServiceTaskMetadata.ADCount=0;S:WLM.Type=Ews;S:FCI.MBXT=Primary;S:ServiceTaskMetadata.ADLatency=0;S:WLM.Int=True;S:FCI.QS=;S:ServiceTaskMetadata.RpcCount=10;S:ServiceTaskMetadata.RpcLatency=420;S:WLM.SvcA=False;S:FCI.VF=All;S:ServiceTaskMetadata.WatsonReportCount=0;S:ServiceTaskMetadata.ServiceCommandBegin=16;S:ServiceTaskMetadata.ServiceCommandEnd=711;S:ActivityStandardMetadata.Component=Ews;S:WLM.BT=Ews;S:BudgetMetadata.MaxConn=Unlimited;S:BudgetMetadata.MaxBurst=Unlimited;S:BudgetMetadata.BeginBalance=$null;S:BudgetMetadata.Cutoff=Unlimited;S:BudgetMetadata.RechargeRate=Unlimited;S:BudgetMetadata.IsServiceAct=False;S:BudgetMetadata.LiveTime=00:00:00.2343945;S:BudgetMetadata.EndBalance=$null;S:FCI.CVT=689;S:FCI.CSIT=70;S:FCI.CSIC=0;S:FCI.CSIQ=2;S:FCI.CSISTC=2;S:FCI.CSIG=54;S:FCI.CRIT=613;S:FCI.CRIC=340;S:FCI.CRIQ=2;S:FCI.CRIG=381;S:FCI.CRIET=0;S:FCI.CRINI=160;S:FCI.CRIMBT=0;S:FCI.CRIMET=7;S:FCI.CRIMP=0;S:FCI.CRIMAR=37;S:FCI.CVU=False;Dbl:WLM.TS=713;Dbl:BudgUse.T[]=715.151611328125;I32:ADR.C[dc1]=1;F:ADR.AL[dc1]=3.1106;Dbl:CCpu.T[CMD]=312.5;I32:RPC.C[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=10;Dbl:RPC.T[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=420;I32:ROP.C[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=80768493;I32:MAPI.C[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=23;Dbl:MAPI.T[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=420;I32:MB.C[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=10;F:MB.AL[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=42;Dbl:ST.T[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=59;I32:ATE.C[dc1.domain-]=1;F:ATE.AL[dc1.domain-]=0;Dbl:STCPU.T[EWS15mb1.fb00df0b-8bdd-4dee-81a3-1696ea8bd747]=46,,ExceptionHandler_Execute=Microsoft.Exchange.Services.Core.Types.ServerBusyException:
    The server cannot service this request right now. Try again later.    at Microsoft.Exchange.Services.Core.Search.NormalQueryView.ThrowIfFindCountLimitExceeded(UInt32 viewLength)    at Microsoft.Exchange.Services.Core.Search.NormalQueryView.RetrieveCalendarViewData(Object[][]
    view  Int32 rowsToGet)    at Microsoft.Exchange.Services.Core.Search.CalendarPageView.ApplyPostQueryPaging(Object[][] view)    at Microsoft.Exchange.Services.Core.Search.NoGrouping.IssueQuery(QueryFilter query  Folder
    folder  SortBy[] sortBy  BasePagingType paging  ItemQueryTraversal traversal  PropertyDefinition[] propsToFetch  RequestDetailsLogger logger)    at Microsoft.Exchange.Services.Core.FindItem.FindItemsInParent(IdAndSession
    folderIdAndSession)    at Microsoft.Exchange.Services.Core.FindItem.Execute()    at Microsoft.Exchange.Services.Core.ExceptionHandler`1.Execute(CreateServiceResult createServiceResult  Int32 index  GenerateMessageXmlForServiceError
    generateErrorXml);,
    And here is the throttling policy I'm using for those users.
    ThrottlingPolicyScope                       : Regular
    IsServiceAccount                            : False
    AnonymousMaxConcurrency                     : 1
    AnonymousMaxBurst                           : 120000
    AnonymousRechargeRate                       :420000
    AnonymousCutoffBalance                      : 720000
    EasMaxConcurrency                           : 10
    EasMaxBurst                                 : 480000
    EasRechargeRate                             : 1800000
    EasCutoffBalance                            : 600000
    EasMaxDevices                               : 100
    EasMaxDeviceDeletesPerMonth                 : Unlimited
    EasMaxInactivityForDeviceCleanup            : Unlimited
    EwsMaxConcurrency                           : Unlimited
    EwsMaxBurst                                 : Unlimited
    EwsRechargeRate                             : Unlimited
    EwsCutoffBalance                            : Unlimited
    EwsMaxSubscriptions                         : Unlimited
    ImapMaxConcurrency                          : Unlimited
    ImapMaxBurst                                : 3600000
    ImapRechargeRate                            : 600000
    ImapCutoffBalance                           : Unlimited
    OutlookServiceMaxConcurrency                : 27
    OutlookServiceMaxBurst                      : 300000
    OutlookServiceRechargeRate                  : 900000
    OutlookServiceCutoffBalance                 : 3000000
    OutlookServiceMaxSubscriptions              : 5000
    OutlookServiceMaxSocketConnectionsPerDevice : 4
    OutlookServiceMaxSocketConnectionsPerUser   : 12
    OwaMaxConcurrency                           : 20
    OwaMaxBurst                                 : 480000
    OwaRechargeRate                             : 1800000
    OwaCutoffBalance                            : Unlimited
    OwaVoiceMaxConcurrency                      : 3
    OwaVoiceMaxBurst                            : 75000
    OwaVoiceRechargeRate                        : 375000
    OwaVoiceCutoffBalance                       : 525000
    PopMaxConcurrency                           : 20
    PopMaxBurst                                 : 3600000
    PopRechargeRate                             : 600000
    PopCutoffBalance                            : Unlimited
    PowerShellMaxConcurrency                    : 18
    PowerShellMaxBurst                          : Unlimited
    PowerShellRechargeRate                      : Unlimited
    PowerShellCutoffBalance                     : Unlimited
    PowerShellMaxTenantConcurrency              :
    PowerShellMaxOperations                     : Unlimited
    PowerShellMaxCmdletsTimePeriod              : Unlimited
    ExchangeMaxCmdlets                          : Unlimited
    PowerShellMaxCmdletQueueDepth               : Unlimited
    PowerShellMaxDestructiveCmdlets             : Unlimited
    PowerShellMaxDestructiveCmdletsTimePeriod   : Unlimited
    PowerShellMaxCmdlets                       : Unlimited
    PowerShellMaxRunspaces                      : Unlimited
    PowerShellMaxTenantRunspaces                :
    PowerShellMaxRunspacesTimePeriod            : Unlimited
    PswsMaxConcurrency                          : 18
    PswsMaxRequest                              : Unlimited
    PswsMaxRequestTimePeriod                    : Unlimited
    RcaMaxConcurrency                           : Unlimited
    RcaMaxBurst                                 : 150000
    RcaRechargeRate                             : 900000
    RcaCutoffBalance                            : Unlimited
    CpaMaxConcurrency                           : Unlimited
    CpaMaxBurst                                 : Unlimited
    CpaRechargeRate                             : Unlimited
    CpaCutoffBalance                            : Unlimited
    MessageRateLimit                            : Unlimited
    RecipientRateLimit                          : Unlimited
    ForwardeeLimit                              : Unlimited
    DiscoveryMaxConcurrency                     : 15
    DiscoveryMaxMailboxes                       : 20000
    DiscoveryMaxKeywords                        :2000
    DiscoveryMaxPreviewSearchMailboxes          : 5000
    DiscoveryMaxStatsSearchMailboxes            : 1000
    DiscoveryPreviewSearchResultsPageSize       : 2000
    DiscoveryMaxKeywordsPerPage                 : 500
    DiscoveryMaxRefinerResults                  : 500
    DiscoveryMaxSearchQueueDepth                : 128
    DiscoverySearchTimeoutPeriod                : 30
    PushNotificationMaxConcurrency              : 20
    PushNotificationMaxBurst                    : Unlimited
    PushNotificationRechargeRate                : Unlimited
    PushNotificationCutoffBalance               : Unlimited
    PushNotificationMaxBurstPerDevice           : 10
    PushNotificationRechargeRatePerDevice       : 6
    PushNotificationSamplingPeriodPerDevice     : 600000
    EncryptionSenderMaxConcurrency             : 200
    EncryptionSenderMaxBurst                    : 4800000
    EncryptionSenderRechargeRate                : 18000000
    EncryptionSenderCutoffBalance               : Unlimited
    EncryptionRecipientMaxConcurrency           : 20
    EncryptionRecipientMaxBurst                 : 480000
    EncryptionRecipientRechargeRate             : 1800000
    EncryptionRecipientCutoffBalance            : Unlimited
    ComplianceMaxExpansionDGRecipients          : 10000
    ComplianceMaxExpansionNestedDGs             : 25
    IsLegacyDefault                             : False
    Diagnostics                                 :
    Do you have an idea how to get rid of this?
    Thank you.
    Regards
    Carsten

    Hi,
    This issue occurs because the EWS monitoring detects that the limit for the requests that are from a Client Access server to a Mailbox server was reached. Therefore, the Client Access server returns an ErrorServerBusy response code to all EWS requests to
    the Mailbox server.
    To work around this issue, make the following changes in the Web.config file on the Client Access server, The Web.Config file is located in the following path: Drive\Program Files\Microsoft\Exchange Server\V15\ClientAccess\exchweb\ews
    1.        Find the following code in the Web.config file:
    <add key="MbxServerEnableConcurrencyControl" value="true" />
    Change the MbxServerEnableConcurrencyControl value from true to
    false.
    2.        Add the following line of code into the Web.config file:
    <add key="DefaultFindCountLimit" value="2000" />
    <add key="MdbFairUnhealthyLatencyThreshold" value="500" />
    3.        Reset IIS to check this issue.
    If this issue persists, I suggest to create a new throttling policy with unlimited settings and applying the policy to those users.
    New-ThrottlingPolicy EWSRCAunlimited
    Get-ThrottlingPolicy EWSRCAunlimited | Set-ThrottlingPolicy -EWSPercentTimeInAD:$null -EWSFindCountLimit:$null -EWSPercentTimeInMailboxRPC:$null -EWSMaxConcurrency:$null -EWSFastSearchTimeoutInSeconds:$null -EWSMaxSubscriptions:$null -EWSPercentTimeInCAS:$null
    -RCAPercentTimeInCAS:$null -RCAPercentTimeInMailboxRPC:$null -RCAMaxConcurrency:$null -RCAPercentTimeInAD:$null
    Set-Mailbox username -ThrottlingPolicy EWSRCAunlimited
    Best Regards.

  • Tried to "Open As" in PS a NEF file I modified in LR.  Got the following error message:  "Could not complete your request because the file format module cannot parse the file."  I can "Open" the file in PS, but then the changes I made in LR (and saved in

    Tried to "Open As" in PS a NEF file I modified in LR.  Got the following error message:  "Could not complete your request because the file format module cannot parse the file."  I can "Open" the file in PS, but then the changes I made in LR (and saved in the associated meta data file with the "Control S" command) are not applied to the opened PS file.  HELP!

    If you are working with a file you modified in Lightroom, you should go to the Lightroom Photo menu and choose Edit in... and the version of Photoshop you want to open it in.
    There a dialog will ask if you want to transfer the LR settings you made to your photo when you open in Photoshop.
    Gene

  • I'm trying to load video file into CS6 I keep getting error message: 'Could not complete you request because the DynamicLink Media Server is not available.' No Idea what to do next. Help please.

    I'm using CS6 Extended. My OS is "Windows 7 home premium.
    Can no longer load video files into CS6 for edited I keep getting error message:
    'Could not complete your request because the DynamicLink Media Server is not available.'
    Don't know what this means. Until just now I was able to load videos without any problems. Now I'm getting this message. Any thoughts?

    Hi Mylenium,
    upfront:
    I hope I won't be marked as spam now, since I am posting on a few relevant discussions now to this topic.
    However, I really would like to ask the people who have experienced this problem to see if they were able to solve it.
    Now the real deal:
    I posted a question in this discussionDynamicLink Media Server won't let me import video for video frames to layers anymore.
    The linked discussion is a lot younger, which is why I posted there first.
    I also put in information on the steps that I have tried and my computer specifications.
    I am experiencing this problem for a while now and hope you and jones1351may be able to help out.

  • SQL Server cannot authenticate using Kerberos because the Service Principal Name (SPN) is missing, misplaced, or duplicated

    We are getting this below alert message, while using SCOM 2012 R2.  Anybody have any idea how to resolve this on the SQL box ?
    Thx...
    SQL Server cannot authenticate using Kerberos because the Service Principal Name (SPN) is missing, misplaced, or duplicated.
    Service Account: NT Service\MSSQL$SQLEXPRESS
    Missing SPNs:
    Misplaced SPNs: MSSQLSvc/mysqlbox.com:SQLEXPRESS - sqldbadmin
    Duplicate SPNs:

    To Fix this issue, You can check below links
    http://support.microsoft.com/kb/2443457/EN-US
    http://www.scomgod.com/?p=155
    Please remember, if you see a post that helped you please click "Vote As Helpful" and if it answered your question, please click "Mark As Answer"Mai Ali | My blog:
    Technical | Twitter:
    Mai Ali

  • Cannot complete your request because the database is being refreshed

    I created provisioned one user in Shared Services and then assigned to a group. After this I went to workspace in advance mode in order to manage security filters, the user does not appear and when I try to "create" an existing user, an error appears: Cannot complete your request because the database is being refreshed
    I'm not running any refresh in the database and my EAS does not show anything. What could be happening? It is Hyperion Planning 11.1.1.3
    Regards,

    Than you John,
    I executed the cmd and this appeared after entering the password, I understand that the application has been unlocked, doesn't it?
    [INFO] RegistryLogger - REGISTRY LOG INITIALIZED
    [INFO] RegistryLogger - REGISTRY LOG INITIALIZED
    D:\Hyperion\common\config\9.5.0.0\product\planning\9.5.0.0\planning_1.xml
    displayName = Planning
    componentTypes =
    priority = 50
    version = 9.5.0.0
    build = 1
    location = D:\Hyperion\products\Planning
    taskSequence =
    task =
    *******D:\Hyperion\common\config\9.5.0.0\registry.properties
    using Java property for Hyperion Home D:\Hyperion
    Setting Arbor path to: D:\Hyperion\common\EssbaseRTC\9.5.0.0
    Setting HBR Mode to: 2
    =2013-11-06 11:07:30,926 WARN main com.hyperion.hbr.security.HbrSecurityAPI - Er
    ror retrieving user by identity
    d{ISO8601} WARN main com.hyperion.hbr.security.HbrSecurityAPI - Error retrieving
    user by identity
    Embedded HBR initialized.
    d{ISO8601} INFO main com.hyperion.audit.client.runtime.AuditRuntime - Audit Clie
    nt has been created for the server http://stlwlahyapprd01.na.ds.monsanto.com:280
    80/interop/Audit
    Reaquired task list lease: Wed Nov 06 11:07:31 CST 2013: 1383757651285
    The application has been successfully unlocked
    d{ISO8601} INFO pinging com.hyperion.audit.client.cache.AuditConfigFilter - Clie
    nt Enable Status false
    d{ISO8601} INFO Thread-22 com.hyperion.audit.client.cache.AuditConfigFilter - Cl
    ient Enable Status false
    d{ISO8601} INFO filterConfig com.hyperion.audit.client.cache.AuditConfigFilter -
    Client Enable Status false

  • The project cannot be checked out because the server is in read-only mode.

    Receiving the message "The project cannot be checked out because the server is in read-only mode." when a project manager is trying to access a project. He is a backup PM, and I'm wondering if that's why he is getting the message (since he is
    not the Owner or Status Manager of the project he is trying to access). We are using SharePoint permissions in Project Server 2013.

    Hi,
    I have a solution that might work for you, please follow steps below:
    1) Go to your project schedule, make a small modification to any task on schedule and 'Publish' the project.
    2) While your project is being published and saved, open another window 
    Server Settings -> Manage Queue Jobs
    3) Here you can view the progress of your current Project Publishing update, check if all goes smooth and your project is published successfully without indicating any errors :
     ( to view any error look at the last column of
    table on Manage Queue Job page)
    4) Also in your Project window see if the project is published and not saved as Draft.
    Basically this will give you a fair idea of your project being published or not.
    Regards

  • Cannot complete your request because the scratch disks are full

    When I attempt to crop a photo I get this message: Cannot complete your request because the scratch disks are full. In fact one scratch disk has 62+ GB and the other has 52+ GB available. Does anyone have a solution for this?

    @Mylenium: My computer is running 64 bit Windows 7 Pro, 16 GB Ram, AMD Radeon 6900 series with I don't remember how many GB of ram (I installed it maybe 2 1/2 or 3 years ago). I have 4 physical hard drives with Raid 0 and Raid 5 configurations. I have been using my system full bore since I built it, and the entire configuration has been excellent for my processes until now. Is there any other specific information that you would need to have an idea of what the problem may be? Thanks.
    @ JJMack: My scratch disk available volumes were wide open with 62 GB available (S: drive) and 52 GB available (O: drive). I'm puzzled because I have used this configuration on my computer for the past 2 1/2+ years with flawless function. I'm not new to setting up and configuring my computer, but I'm new to this odd error message.

  • Error Message - "could not complete your request because the preset contains invalid data"

    I am trying to open a file, and every time I do it comes up with the following error message:
    "Could not complete your request because the preset contains invalid data"
    I am using Photoshop CS4 on a Macbook Pro running Snow Leopard 10.6.2.
    I have tried:
    - restarting my mac
    - opening different files created at different times
    - deleting photoshop from my app folder and the app support folder from my /username/library/application support/adobe/ folder and copied them back from a Time Machine backup from a few days ago.
    I was using Photoshop all day today with absolutely no problems. I have searched Google and this forum and have come up short. No one has this exact error anywhere.
    Any help? Thanks so much in advance!
    Pat Dryburgh

    The one thing you didn't do is reset your Photoshop preferences.
    Most likely the preferences got corrupted, and reference a corrupt preset.

  • What do I do with this error? "could not complete your request because the file appears to be from a camera model which is not supported by the installed version of camera raw?"

    what do I do with this error? "could not complete your request because the file appears to be from a camera model which is not supported by the installed version of camera raw?"

    It can be that you have an old version of Photoshop Elements and a new camera.
    Please tell us
    Which operating system you are running on
    Which version of Photoshop Elements you are using
    Which camera the raw images come from (Make & model)
    Brian

  • Error message: Could not complete your request because the file was not found.

    Tonight tried to open images in Photoshop CC 2014. Could not open any. Received the message "Could not complete your request because the file was not found."
    I installed latest updates yesterday. Today not working. Can anyone assist?

    Well, then you do want your layered file back and the nice thing about Macs, Time Machine does keep hourly backups on your Mac. You should be able to enter Time Machine and restore that file.
    I had hoped opening your file in another app might relase it so you could open it in PS.
    Gene

  • CS5 RAW Could not complete your request because the file appears to be from a camera model which is not supported by the installed version of Camera Raw. Please visit the Camera Raw help documentation for additional information.

    I rented a Nikon D600 & D610 and CS5 cannot open the RAW files, i do not have any issued with my D700 RAW files. I am getting this error message -
    Could not complete your request because the file appears to be from a camera model which is not supported by the installed version of Camera Raw.
    Please visit the Camera Raw help documentation for additional information.
    Can anyone please help?

    yellowmledbetter wrote:
    Sorry, I am on a MAC. I downloaded the link you provided and it's giving the same error message as above. Running CS5.
    The error message you gave is from Camera Raw. I thought you said that DNG Converter didn't work?
    The link I gave you is an article on getting your raw files to open in Camera Raw. Did you read it? I lazily gave you the link because this is one of the most common problems in this forum, and I get tired of saying the same thing over and over again. I could break it down for your specific case, but I was hoping you could read through the article and work it out for yourself.
    But, here goes:
    Your cameras are newer than your raw converter, so it won't understand them.
    CS5 comes with Camera Raw 6, which can only be upgraded as far as 6.7.1. You can find out which version of Camera Raw you are running in three ways: in the settings title bar (Cmd-K), in the plug-in title bar (press F to start/stop full-screen mode to reveal the title bar), or Photoshop's Help menu (About Plug-ins).
    Downloading raw files from newer Nikon cameras with old versions of Nikon Transfer will actually make them unreadable in Adobe software. They can be fixed with a free utility. Again, it's all in the linked article. You should be using up-to-date Nikon Transfer, or Adobe Photodownloader to avoid this problem.
    All being well, you have good raw files on your computer. You can convert them to dng using Adobe DNG Converter. IF you are on OSX Leopard or Snow Leopard, you CAN'T use the latest version, because Adobe stopped support. But, if you ARE on a later OSX, you can download DNG Converter 8.6.
    DNG Converter is designed to convert FOLDERS of raw files at a time. You select a folder of raw files, and tell it to create DNG copies. BUT, you have to set up the converter before you start using it...
    If you load up DNG Converter, you'll notice a button labelled "Change Preferences". Clicking this, you'll see the first option is "Compatibility". Here, you must select the appropriate setting for the version of Camera Raw you HAVE (see above). If you can't work this out, just pick "Camera Raw 5.4 and later". THEN pick a folder of raw files and convert them to DNGs.
    All the above is already in the article, but I gave you a personalised response. If you still can't get it to work, please give us more than one sentence. Tell us exactly what you tried, and describe exactly what happened. Which version of OSX you're running, what device and software you downloaded your raw files with, how you used DNG Converter, and so on.
    I really should be in bed.

  • Browser gets "Cannot complete your request because of a program error"

    Running Photoshop-7, WinXP Pro, on a PC with 2MB ram.
    PS7 was working fine but I installed a new Samsung 2253BW LCD monitor, and about 3 new software. I don't know what I did but when I opened PS7, the browser's left window pane does not show the folders at the left and only shows (+)Desktop. The right window pane shows thumbnails of whatever folder I'm in.
    WHAT I CANNOT DO:
    When I click the (+) for the Desktop icon in the left pane, I get the message "Cannot complete your request because of a program error."
    WHAT I CAN DO:
    I can browse using the textbox above the right window pane and access any graphic file I want to.
    THINGS I'VE TRIED:
    - Removed PS7. Installed PS7. --- Same problem.
    - Created a new user --- PS7 works normally!
    - Go back to the original user. --- Same problem.
    Any ideas before I get a sledge hammer?

    Never mind, I found the problem.
    It was a new desktop icon named "Folding@home" that a new software must have installed. I deleted it and now PS7's browser works normally again. Pretty unbelievable!
    Putting back the sledgehammer,
    mmo7

  • Could not complete your request because the file is not compatible with this version of photoshop

    Hello,
    I'm a beginner in PS. I was edit TIFF file in PS. Size of file is 21x89.1(22.6 MB). Then suddenly power - cuted. But after 5 min turn on PC and PS can't open my TIFF file.
    Error is (could not complete your request because the file is not compatible with this version of photoshop)
    What should I do, how I open this TIFF file? I realy need to open this file?
    Please help me...
    Regards, Suvd.S

    Out of curiosity, were you actually saving the file at the moment the power cut off, or had you just saved it?
    If not, I don't understand the reason the file should have become corrupted.  If it was successfully saved on disk from the prior save operation, just shutting off the power on Photoshop would lose your current edits, but the file should still be intact.
    -Noel

Maybe you are looking for

  • Crystal Report Viewer on Client Machine

    Hi all,            I am new to Crystal Reports. I want Open the crystal Report from SAP Interprise Portal. I want to know the Crytal Report viewer needs to be installed on client machine or without that also we can show the report. Thanks for your su

  • Automatic payment program- Payment list Fields

    Dear Experts, After running automatic payment program when I am trying to view the Payment list(Edit-Payment-Payment list), I donu2019t see the check number in the payment document. Basically we need to see the check number because when the user take

  • HT2731 How do I change rescue email in itunes?

    How do I change rescue email in itunes?

  • PIXMA MX922. Reverse order printing

    I'm running Mac OS 10.10.7 and trying to print a long MS Word 2011 document from my computer-- in reverse order. I've set the overall Word Preferences to reverse order printing. I do not get a Print dialog box that allows me to select reverse order f

  • Summarize (sum) a field in a child group to a parent group section

    Can someone tell me how to insert a summary (sum) of a field in a child group to a parent group?  The column is not in the detail row, only a group section.