Transfer Failed sending mail to GWIA

In the process of migrating a GW8.0.3 system to SuSE. Two servers, one for primary domain and post office, and second for secondary domain and gwia. All went for the most part well. Issue with GWIA and sending mail to internet. It is receiving mail fine now, but when users send email to the gwia from the client they get Transfer Failed. I have checked the usual things, but all seems to be setup correctly. This is not a migrated GWIA, I decided to delete the old one and create a new one. Had issues in the past where migrated GWIA's don't go smooth.

In article <[email protected]>, Jlewter wrote:
> I found an old TID that ..... Appears to have taken care of it.
>
This is why the basics are just that. They stay a constant for a long
time.
It is almost a disease that so many in our industry discount information
just because it is old. I've made it a bit of a habit to stash old useful
information for that reason as too many people (PHBs' especially) like
getting rid of things just because they are old.
The Wayback Machine does help with this problem a little bit.
http://archive.org/web/web.php
Andy Konecny
KonecnyConsulting.ca in Toronto
Andy's Profile: http://forums.novell.com/member.php?userid=75037

Similar Messages

  • Sending mail from Ouloook (does not arrived to internal users)

    I have on machine that does not have GW client, but has only Outlook
    It is only used for SMTP sending mails via GWIA
    It works fine to external sources, but to internal ones it only works for
    some users, for majority it does not work
    It probably it is something with access control (can not understand how &
    why)
    Can see in the log that the mail being send, but it never arrives in
    internal user (same domain) mailbox
    No error visible
    Seb

    Well done! It was in fact 100% right
    My stupid user blocklisted our domain!
    Seb
    "Massimo Rosen" <[email protected]> wrote in message
    news:JCfgq.5080$[email protected]..
    > On 27.09.2011 10:11, Sebastian Cerazy wrote:
    >> I have on machine that does not have GW client, but has only Outlook
    >>
    >> It is only used for SMTP sending mails via GWIA
    >>
    >> It works fine to external sources, but to internal ones it only works for
    >> some users, for majority it does not work
    >>
    >> It probably it is something with access control (can not understand how&
    >> why)
    >>
    >> Can see in the log that the mail being send, but it never arrives in
    >> internal user (same domain) mailbox
    >>
    >> No error visible
    >
    > 99,5% the receiving users junk- or blocklist.
    >
    > CU,
    > --
    > Massimo Rosen
    > Novell Knowledge Partner
    > No emails please!
    > http://www.cfc-it.de

  • Script task fails to send mail to GMAIL

    Hi   guys ,
       I am new here and i am glad i that i am here.  I am working in a company  as SQL Server developer(T-sql), i am learning SSIS because  i wanted to move to data warehousing.
    I not familiar and i don't know any thing about  C#,  but i am learning SSIS on my own.
    I tried to send mail to gmail  using script task , both sender and receiver with same mail ID using variables which i tried using tutorial i found from the below link.
    [quote]http://www.codeproject.com/Articles/85172/Send-Email-from-SSIS-with-option-to-indicate-Email[/quote]
    but finally when i execute the task , it returns failure message and email is not sent.
    [quote]SSIS package "Send mail using script task.dtsx" starting.
    Error: 0x8 at Script Task: The script returned a failure result.
    Task failed: Script Task
    SSIS package "Send mail using script task.dtsx" finished: Success.
    [/quote]
    Below message taken from progress tab
    [quote]Error: The script returned a failure result.[/quote]
    Can you all please help me in  finding where i am going wrong? please check below code which i have used in script task.
    Microsoft SQL Server Integration Services Script Task
    Write scripts using Microsoft Visual C# 2008.
    The ScriptMain is the entry point class of the script.
    using System;
    using System.Data;
    using Microsoft.SqlServer.Dts.Runtime;
    using System.Windows.Forms;
    using System.Text.RegularExpressions;
    using System.Net.Mail;
    namespace ST_9bc84810a62a401aa44ddd905bcd369d.csproj
    [System.AddIn.AddIn("ScriptMain", Version = "1.0", Publisher = "", Description = "")]
    public partial class ScriptMain : Microsoft.SqlServer.Dts.Tasks.ScriptTask.VSTARTScriptObjectModelBase
    #region VSTA generated code
    enum ScriptResults
    Success = Microsoft.SqlServer.Dts.Runtime.DTSExecResult.Success,
    Failure = Microsoft.SqlServer.Dts.Runtime.DTSExecResult.Failure
    #endregion
    The execution engine calls this method when the task executes.
    To access the object model, use the Dts property. Connections, variables, events,
    and logging features are available as members of the Dts property as shown in the following examples.
    To reference a variable, call Dts.Variables["MyCaseSensitiveVariableName"].Value;
    To post a log entry, call Dts.Log("This is my log text", 999, null);
    To fire an event, call Dts.Events.FireInformation(99, "test", "hit the help message", "", 0, true);
    To use the connections collection use something like the following:
    ConnectionManager cm = Dts.Connections.Add("OLEDB");
    cm.ConnectionString = "Data Source=localhost;Initial Catalog=AdventureWorks;Provider=SQLNCLI10;Integrated Security=SSPI;Auto Translate=False;";
    Before returning from this method, set the value of Dts.TaskResult to indicate success or failure.
    To open Help, press F1.
    public void Main()
    string sSubject = "Test Subject";
    string sBody = "Test Message";
    int iPriority = 2;
    if (SendMail(sSubject, sBody, iPriority))
    Dts.TaskResult = (int)ScriptResults.Success;
    else
    //Fails the Task
    Dts.TaskResult = (int)ScriptResults.Failure;
    public bool SendMail(string sSubject, string sMessage, int iPriority)
    try
    string sEmailServer = Dts.Variables["sEmailServer"].Value.ToString();
    string sEmailPort = Dts.Variables["sEmailPort"].Value.ToString();
    string sEmailUser = Dts.Variables["sEmailUser"].Value.ToString();
    string sEmailPassword = Dts.Variables["sEmailPassword"].Value.ToString();
    string sEmailSendTo = Dts.Variables["sEmailSendTo"].Value.ToString();
    string sEmailSendCC = Dts.Variables["sEmailSendCC"].Value.ToString();
    string sEmailSendFrom = Dts.Variables["sEmailSendFrom"].Value.ToString();
    string sEmailSendFromName = Dts.Variables["sEmailSendFromName"].Value.ToString();
    SmtpClient smtpClient = new SmtpClient();
    MailMessage message = new MailMessage();
    MailAddress fromAddress = new MailAddress(sEmailSendFrom, sEmailSendFromName);
    //You can have multiple emails separated by ;
    string[] sEmailTo = Regex.Split(sEmailSendTo, ";");
    string[] sEmailCC = Regex.Split(sEmailSendCC, ";");
    int sEmailServerSMTP = int.Parse(sEmailPort);
    smtpClient.Host = sEmailServer;
    smtpClient.Port = sEmailServerSMTP;
    System.Net.NetworkCredential myCredentials =
    new System.Net.NetworkCredential(sEmailUser, sEmailPassword);
    smtpClient.Credentials = myCredentials;
    message.From = fromAddress;
    if (sEmailTo != null)
    for (int i = 0; i < sEmailTo.Length; ++i)
    if (sEmailTo[i] != null && sEmailTo[i] != "")
    message.To.Add(sEmailTo[i]);
    if (sEmailCC != null)
    for (int i = 0; i < sEmailCC.Length; ++i)
    if (sEmailCC[i] != null && sEmailCC[i] != "")
    message.To.Add(sEmailCC[i]);
    switch (iPriority)
    case 1:
    message.Priority = MailPriority.High;
    break;
    case 3:
    message.Priority = MailPriority.Low;
    break;
    default:
    message.Priority = MailPriority.Normal;
    break;
    //You can enable this for Attachments.
    //SingleFile is a string variable for the file path.
    //foreach (string SingleFile in myFiles)
    // Attachment myAttachment = new Attachment(SingleFile);
    // message.Attachments.Add(myAttachment);
    message.Subject = sSubject;
    message.IsBodyHtml = true;
    message.Body = sMessage;
    smtpClient.Send(message);
    return true;
    catch (Exception ex)
    return false;
    Please help me resolve this guys ... THANKS IN ADVANCE

    Thank you very much for your reply @Elvis Long,
    Sorry for the late reply
    Actually, i am not trying or executing this task  from my office , but i am trying this at my home :( .
    sEmailPort has value 587 sEmailServer has smtp.gmail.com
    Can you please check whether this C# coding is correct or not ? because finally it gives error saying "Script
    Task: The script returned a failure result" 
    so can you please check this with your system and let me know what is wrong with this code
    Thanks in advance  

  • I can no longer send mail....today I cannot get mail..., I can no longer send mail....today I cannot get mail...a message pops up that says:A copy has been placed in your outbox.Sending the message content to the server failed....any help?

    I can no longer send mail....today I cannot get mail..., I can no longer send mail....today I cannot get mail...a message pops up that says:A copy has been placed in your outbox.Sending the message content to the server failed....any help?

    How long has it been going on? I've had my yahoo mess up and if i wait a bit it resolves itself. Yahoo is doing something with their servers and it messes with your mail if your mail happens to be on one of those servers.

  • Sending mail with attachment fails on MAC Mail and WRP400.

    Sending mail with attachment fails on MAC Mail and WRP400.
    We have hundreds of WRP400 connected with Mac (Machintosh) computers. No special configurations are applied (no virtual server or DMZ). Web navigation, P2P programs and sending mail without attachment work right.
    The problem is the impossibility to send mails with medium or big size files attachment from MAC Mail.
    If we use Windows PCs or a different linksys routers (eg. WRT54G) the problem not happens.
    We have upgraded WRP400 firmware version from 1.00.06 to 2.00.05 but the result is the same. Sending mail with attachment using Mac fails.
    We tried to configure WRP400 with DMZ to a particular MAC. We tried to configure Virtual server on tcp 25 port of a MAC. The result is always the same.
    This is a WRP400 bug? Windows PCs work right. MAC and MAC mail works right with other linksys router.
    We need help. Thanks.

    The problem was fixed since beta firmware 2.00.11.
    I think that this issue was caused from a bug that decrease upload bitrate of WRP400 after some days of activity.
    See more details on Cisco forum under title "WRP400 stops responding after browsing certain websites".
    Thanks.

  • Failed to send invitation emails to recipients. detailed error: an error occurred while sending mail.

    I tried to send a distributed form out to myself to check the system and received this error message: failed to send invitation emails to recipients. detailed error: an error occurred while sending mail. Any idea what I may have done wrong? I am using Microsoft Outlook 2010 with Windows 8.1 OS.

    I think century link did change some settings though.
    Help menu (Alt+H) > troubleshooting information. Copy to clipboard and paste into a reply here. Then I can see what setting your using with century link and compare them to what century link provide.

  • Sending mail to GROUP ID when a process chain fails.

    Hi All,
    Can one suggest me, how to send a failure/success mail to a Group mial id when a process chain fails.
    I am awere about sending mails to individual mail id's when a any process fails or succed. I want to know the group ID creation part & how to tag the same SOCT.
    Thanks in advance.
    BR,
    Kiron.

    hi,
    The Distribution List/Group_id is created in SO23 transaction.
    hope it is helpful to u
    thanks

  • Notifications failed to send mail for journal approval with attachments

    Issue : Notifications failed to send mail for journals sent for approvals with attachments.
    Error :
    [WF_ERROR] ERROR_MESSAGE=3835: Error '-6502 - ORA-06502: PL/SQL: numeric or value error: character string buffer too small' encountered during execution of Generate function 'WF_XML.Generate' for event 'oracle.apps.wf.notification.send'. ERROR_STACK=
    WF_XML.GetAttachments(71009549, http://vfilvappclone.verifone.com:8000/pls/EBIZRPT, 13525)
    WF_XML.GenerateDoc(oracle.apps.wf.notification.send, 71009549)
    WF_XML.Generate(oracle.apps.wf.notification.send, 71009549)
    WF_XML.Generate(oracle.apps.wf.notification.send, 71009549)
    Wf_Event.setMessage(oracle.apps.wf.notification.send, 71009549, WF_XML.Generate)
    Wf_Event.dispatch_internal()
    Cause : Above error is thrown for Journals with attachment of file type Microsoft Office Excel Macro-Enabled Worksheet (.xlsm)
    Can anybody help with this?

    Please post the details of the application release, database version and OS.
    Please see if these docs help.
    ORA-20001 & ORA-06502 Workflow Errors [ID 761638.1]
    Manager Approval Notification Gives Error: Ora-O6502: Pl/Sql: Numeric Or Value Error: Character String Buffer Too Small [ID 352213.1]
    Approval Confirmation Email Is Not Received By Preparer - ERROR_MESSAGE=3835 ORA-20001 ORA-6502 [ID 465146.1]
    Notification Fails To Be Generated When A DOCX Document Is Attached [ID 1058183.1]
    Not Able To Send Multiple E-Mails Upon Approval Of Purchase Order [ID 333719.1]
    Expenses Workflow Error: "ORA-06502: PL/SQL: numeric or value error: associative array shape is not consistent with session parameters has been detected in fnd_global.put(CONC_LOGIN_ID,-1)" [ID 455882.1]
    Using Microsoft Office 2007 and 2010 with Oracle E-Business Suite 11i and R12 [ID 1077728.1] -- Notification Generation Fails
    ORA-06502 Buffer Too Small Error in Contracts Workflow Notification [ID 870712.1]
    Thanks,
    Hussein

  • SSRS: Failure sending mail: The transport failed to connect to the server.

    I run SSRS and email reports using SMTP service on a Windows Server 2008 R2 box. This has been working for months and stopped today around noon.
    I have checked all SMTP settings and verified they are correct. I can send an email from SQL Server Management Studio, using SMTP service with no trouble.
    Now in SSRS I am getting this message:
    Failure sending mail: The transport failed to connect to the server.
    I have read every link when I google this message or type it into bing.com; yet cannot find a reason why SSRS has suddenly stopped emailing my reports.
    I have restarted the server in question, I have changed account names, I have changed passwords, yet nothing is working.
    I even approached our senior dba about it and he has never seen this happen.
    Has anyone else experienced this issue?
    Thank you,
    Jessica

    Thank you JJordheim.
    IDS is not an issue. Neither is the Windows Firewall on the server. I actually turned it off while troubleshooting to make sure it was not causing the issue.
    SSRS and my SMTP Virtual service are on the same server. I am running the SMTP service through IIS. I even created a new SMTP Service to test with. No luck.
    My rsreportserver.config file looks fine, or at least it does to me. Posted below:
    <Configuration>
     <Dsn>AQAAANCMnd8BFdERjHoAwE/Cl+sBAAAAoroltqyZFk6Vi+2kNEmsQAQAAAAiAAAAUgBlAHAAbwBy
    AHQAaQBuAGcAIABTAGUAcgB2AGUAcgAAABBmAAAAAQAAIAAAALMXYz8ommSjoJt2CZCuZmzmS+bo
    5d4pT033TPn7WZoiAAAAAA6AAAAAAgAAIAAAAEmwCgTd0Xo4ssE0WGSo7KC3+nsOZd2sR/PT6hUQ
    5SR44AAAAL4ReAnyjUBENbH63/qM8orgHrcG3s/MyNdjuBnfKhwlqauRfxwcNgjd7PtXLvS8gnBq
    kTji38EuQHBOJ63rklEclaejzkcA45rAbzLqWBi7oftw1SwHahZQvp+zxFdKVuAGnhEjiKvcrgzl
    ebfWNTjY/pjyJ9bwvF7vReIXrRXecPTjbE6wOiYFggY6pVCXvJCRvoUNMiLJC3PCIi58LOqVjPUO
    juyIZUrNqTPZlhswNU0M+mM7W6YRqPtF+xXx1FBSe0PShD+29IgBOYBRFFfDbW93tbnw5nj5/xpk
    I2GlQAAAAJoNASVS7KABbUZke+huE5HzjaXk1o7Sq9REu4Svlry1INKqJfo+dbGDWUAKEwbClVoO
    RNs8QwPFYNIXyq6vDD0=</Dsn>
     <ConnectionType>Default</ConnectionType>
     <LogonUser></LogonUser>
     <LogonDomain></LogonDomain>
     <LogonCred></LogonCred>
     <InstanceId>MSRS10_50.MSSQLSERVER</InstanceId>
     <InstallationID>{e93dd46f-7646-44e2-9997-acc3cb001828}</InstallationID>
     <Add Key="SecureConnectionLevel" Value="0"/>
     <Add Key="CleanupCycleMinutes" Value="10"/>
     <Add Key="MaxActiveReqForOneUser" Value="20"/>
     <Add Key="DatabaseQueryTimeout" Value="120"/>
     <Add Key="RunningRequestsScavengerCycle" Value="60"/>
     <Add Key="RunningRequestsDbCycle" Value="60"/>
     <Add Key="RunningRequestsAge" Value="30"/>
     <Add Key="MaxScheduleWait" Value="5"/>
     <Add Key="DisplayErrorLink" Value="true"/>
     <Add Key="WebServiceUseFileShareStorage" Value="false"/>
     <!--  <Add Key="ProcessTimeout" Value="150" /> -->
     <!--  <Add Key="ProcessTimeoutGcExtension" Value="30" /> -->
     <!--  <Add Key="WatsonFlags" Value="0x0430" /> full dump-->
     <!--  <Add Key="WatsonFlags" Value="0x0428" /> minidump -->
     <!--  <Add Key="WatsonFlags" Value="0x0002" /> no dump-->
     <Add Key="WatsonFlags" Value="0x0428"/>
     <Add Key="WatsonDumpOnExceptions" Value="Microsoft.ReportingServices.Diagnostics.Utilities.InternalCatalogException,Microsoft.ReportingServices.Modeling.InternalModelingException,Microsoft.ReportingServices.ReportProcessing.UnhandledReportRenderingException"/>
     <Add Key="WatsonDumpExcludeIfContainsExceptions" Value="System.Threading.ThreadAbortException,System.Web.UI.ViewStateException,System.OutOfMemoryException,System.Web.HttpException,System.IO.IOException,System.IO.FileLoadException,Microsoft.SharePoint.SPException"/>
     <URLReservations>
      <Application>
       <Name>ReportServerWebService</Name>
       <VirtualDirectory>ReportServer</VirtualDirectory>
       <URLs>
        <URL>
         <UrlString>http://+:80</UrlString>
         <AccountSid>S-1-5-19</AccountSid>
         <AccountName>NT Authority\LocalService</AccountName>
        </URL>
       </URLs>
      </Application>
      <Application>
       <Name>ReportManager</Name>
       <VirtualDirectory>Reports</VirtualDirectory>
       <URLs>
        <URL>
         <UrlString>http://+:80</UrlString>
         <AccountSid>S-1-5-19</AccountSid>
         <AccountName>NT Authority\LocalService</AccountName>
        </URL>
       </URLs>
      </Application>
     </URLReservations>
     <Authentication>
      <AuthenticationTypes>
       <RSWindowsNegotiate/>
       <RSWindowsNTLM/>
      </AuthenticationTypes>
      <RSWindowsExtendedProtectionLevel>Off</RSWindowsExtendedProtectionLevel>
      <RSWindowsExtendedProtectionScenario>Proxy</RSWindowsExtendedProtectionScenario>
      <EnableAuthPersistence>true</EnableAuthPersistence>
     </Authentication>
     <Service>
      <IsSchedulingService>True</IsSchedulingService>
      <IsNotificationService>True</IsNotificationService>
      <IsEventService>True</IsEventService>
      <PollingInterval>10</PollingInterval>
      <WindowsServiceUseFileShareStorage>False</WindowsServiceUseFileShareStorage>
      <MemorySafetyMargin>80</MemorySafetyMargin>
      <MemoryThreshold>90</MemoryThreshold>
      <RecycleTime>720</RecycleTime>
      <MaxAppDomainUnloadTime>30</MaxAppDomainUnloadTime>
      <MaxQueueThreads>0</MaxQueueThreads>
      <UrlRoot>http://abraham/Reports</UrlRoot>
      <UnattendedExecutionAccount>
       <UserName></UserName>
       <Password></Password>
       <Domain></Domain>
      </UnattendedExecutionAccount>
      <PolicyLevel>rssrvpolicy.config</PolicyLevel>
      <IsWebServiceEnabled>True</IsWebServiceEnabled>
      <IsReportManagerEnabled>True</IsReportManagerEnabled>
      <FileShareStorageLocation>
       <Path>
       </Path>
      </FileShareStorageLocation>
     </Service>
     <UI>
      <ReportServerUrl>
      </ReportServerUrl>
      <PageCountMode>Estimate</PageCountMode>
     </UI>
     <Extensions>
      <Delivery>
       <Extension Name="Report Server FileShare" Type="Microsoft.ReportingServices.FileShareDeliveryProvider.FileShareProvider,ReportingServicesFileShareDeliveryProvider">
        <MaxRetries>3</MaxRetries>
        <SecondsBeforeRetry>900</SecondsBeforeRetry>
        <Configuration>
         <FileShareConfiguration>
          <ExcludedRenderFormats>
           <RenderingExtension>HTMLOWC</RenderingExtension>
           <RenderingExtension>NULL</RenderingExtension>
           <RenderingExtension>RGDI</RenderingExtension>
          </ExcludedRenderFormats>
         </FileShareConfiguration>
        </Configuration>
       </Extension>
       <Extension Name="Report Server Email" Type="Microsoft.ReportingServices.EmailDeliveryProvider.EmailProvider,ReportingServicesEmailDeliveryProvider">
        <MaxRetries>3</MaxRetries>
        <SecondsBeforeRetry>900</SecondsBeforeRetry>
        <Configuration>
         <RSEmailDPConfiguration>
          <SMTPServer>192.168.11.210</SMTPServer>
          <SMTPServerPort></SMTPServerPort>
          <SMTPAccountName>
          </SMTPAccountName>
          <SMTPConnectionTimeout>
          </SMTPConnectionTimeout>
          <SMTPServerPickupDirectory>
          </SMTPServerPickupDirectory>
          <SMTPUseSSL>
          </SMTPUseSSL>
          <SendUsing>2</SendUsing>
          <SMTPAuthenticate>
          </SMTPAuthenticate>
          <From>[email protected]</From>
          <EmbeddedRenderFormats>
           <RenderingExtension>MHTML</RenderingExtension>
          </EmbeddedRenderFormats>
          <PrivilegedUserRenderFormats>
          </PrivilegedUserRenderFormats>
          <ExcludedRenderFormats>
           <RenderingExtension>HTMLOWC</RenderingExtension>
           <RenderingExtension>NULL</RenderingExtension>
           <RenderingExtension>RGDI</RenderingExtension>
          </ExcludedRenderFormats>
          <SendEmailToUserAlias>True</SendEmailToUserAlias>
          <DefaultHostName>
          </DefaultHostName>
          <PermittedHosts>
          </PermittedHosts>
         </RSEmailDPConfiguration>
        </Configuration>
       </Extension>
       <Extension Name="Report Server DocumentLibrary" Type="Microsoft.ReportingServices.SharePoint.SharePointDeliveryExtension.DocumentLibraryProvider,ReportingServicesSharePointDeliveryExtension">
        <MaxRetries>3</MaxRetries>
        <SecondsBeforeRetry>900</SecondsBeforeRetry>
        <Configuration>
         <DocumentLibraryConfiguration>
          <ExcludedRenderFormats>
           <RenderingExtension>HTMLOWC</RenderingExtension>
           <RenderingExtension>NULL</RenderingExtension>
           <RenderingExtension>RGDI</RenderingExtension>
          </ExcludedRenderFormats>
         </DocumentLibraryConfiguration>
        </Configuration>
       </Extension>
       <Extension Name="NULL" Type="Microsoft.ReportingServices.NullDeliveryProvider.NullProvider,ReportingServicesNullDeliveryProvider"/>
      </Delivery>
      <DeliveryUI>
       <Extension Name="Report Server Email" Type="Microsoft.ReportingServices.EmailDeliveryProvider.EmailDeliveryProviderControl,ReportingServicesEmailDeliveryProvider">
        <DefaultDeliveryExtension>True</DefaultDeliveryExtension>
        <Configuration>
         <RSEmailDPConfiguration>
          <DefaultRenderingExtension>MHTML</DefaultRenderingExtension>
         </RSEmailDPConfiguration>
        </Configuration>
       </Extension>
       <Extension Name="Report Server FileShare" Type="Microsoft.ReportingServices.FileShareDeliveryProvider.FileShareUIControl,ReportingServicesFileShareDeliveryProvider"/>
      </DeliveryUI>
      <Render>
       <Extension Name="XML" Type="Microsoft.ReportingServices.Rendering.DataRenderer.XmlDataReport,Microsoft.ReportingServices.DataRendering"/>
       <Extension Name="NULL" Type="Microsoft.ReportingServices.Rendering.NullRenderer.NullReport,Microsoft.ReportingServices.NullRendering" Visible="false"/>
       <Extension Name="CSV" Type="Microsoft.ReportingServices.Rendering.DataRenderer.CsvReport,Microsoft.ReportingServices.DataRendering"/>
       <Extension Name="ATOM" Type="Microsoft.ReportingServices.Rendering.DataRenderer.AtomDataReport,Microsoft.ReportingServices.DataRendering" Visible="false"/>
       <Extension Name="PDF" Type="Microsoft.ReportingServices.Rendering.ImageRenderer.PDFRenderer,Microsoft.ReportingServices.ImageRendering"/>
       <Extension Name="RGDI" Type="Microsoft.ReportingServices.Rendering.ImageRenderer.RGDIRenderer,Microsoft.ReportingServices.ImageRendering" Visible="false"/>
       <Extension Name="HTML4.0" Type="Microsoft.ReportingServices.Rendering.HtmlRenderer.Html40RenderingExtension,Microsoft.ReportingServices.HtmlRendering" Visible="false"/>
       <Extension Name="MHTML" Type="Microsoft.ReportingServices.Rendering.HtmlRenderer.MHtmlRenderingExtension,Microsoft.ReportingServices.HtmlRendering"/>
       <Extension Name="EXCEL" Type="Microsoft.ReportingServices.Rendering.ExcelRenderer.ExcelRenderer,Microsoft.ReportingServices.ExcelRendering"/>
       <Extension Name="RPL" Type="Microsoft.ReportingServices.Rendering.RPLRendering.RPLRenderer,Microsoft.ReportingServices.RPLRendering" Visible="false" LogAllExecutionRequests="false"/>
       <Extension Name="IMAGE" Type="Microsoft.ReportingServices.Rendering.ImageRenderer.ImageRenderer,Microsoft.ReportingServices.ImageRendering"/>
       <Extension Name="WORD" Type="Microsoft.ReportingServices.Rendering.WordRenderer.WordDocumentRenderer,Microsoft.ReportingServices.WordRendering"/>
      </Render>
      <Data>
       <Extension Name="SQL" Type="Microsoft.ReportingServices.DataExtensions.SqlConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="SQLAZURE" Type="Microsoft.ReportingServices.DataExtensions.SqlAzureConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="SQLPDW" Type="Microsoft.ReportingServices.DataExtensions.SqlDwConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="OLEDB" Type="Microsoft.ReportingServices.DataExtensions.OleDbConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="OLEDB-MD" Type="Microsoft.ReportingServices.DataExtensions.AdoMdConnection,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="ORACLE" Type="Microsoft.ReportingServices.DataExtensions.OracleClientConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="ODBC" Type="Microsoft.ReportingServices.DataExtensions.OdbcConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="XML" Type="Microsoft.ReportingServices.DataExtensions.XmlDPConnection,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="SHAREPOINTLIST" Type="Microsoft.ReportingServices.DataExtensions.SharePointList.SPListConnection,Microsoft.ReportingServices.DataExtensions"/>
       <Extension Name="SAPBW" Type="Microsoft.ReportingServices.DataExtensions.SapBw.SapBwConnection,Microsoft.ReportingServices.DataExtensions.SapBw"/>
       <Extension Name="ESSBASE" Type="Microsoft.ReportingServices.DataExtensions.Essbase.EssbaseConnection,Microsoft.ReportingServices.DataExtensions.Essbase"/>
       <Extension Name="TERADATA" Type="Microsoft.ReportingServices.DataExtensions.TeradataConnectionWrapper,Microsoft.ReportingServices.DataExtensions"/>
      </Data>
      <SemanticQuery>
       <Extension Name="SQL" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.MSSQL.MSSqlSQCommand,Microsoft.ReportingServices.SemanticQueryEngine">
        <Configuration>
         <EnableMathOpCasting>False</EnableMathOpCasting>
        </Configuration>
       </Extension>
       <Extension Name="SQLAZURE" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.MSSQL.MSSqlSQCommand,Microsoft.ReportingServices.SemanticQueryEngine">
        <Configuration>
         <EnableMathOpCasting>False</EnableMathOpCasting>
        </Configuration>
       </Extension>
       <Extension Name="SQLPDW" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.MSSQLADW.MSSqlAdwSQCommand,Microsoft.ReportingServices.SemanticQueryEngine">
        <Configuration>
         <EnableMathOpCasting>False</EnableMathOpCasting>
        </Configuration>
       </Extension>
       <Extension Name="ORACLE" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.Oracle.OraSqlSQCommand,Microsoft.ReportingServices.SemanticQueryEngine">
        <Configuration>
         <EnableMathOpCasting>True</EnableMathOpCasting>
         <DisableNO_MERGEInLeftOuters>False</DisableNO_MERGEInLeftOuters>
         <EnableUnistr>False</EnableUnistr>
         <DisableTSTruncation>False</DisableTSTruncation>
        </Configuration>
       </Extension>
       <Extension Name="TERADATA" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.Teradata.TdSqlSQCommand,Microsoft.ReportingServices.SemanticQueryEngine">
        <Configuration>
         <EnableMathOpCasting>True</EnableMathOpCasting>
         <ReplaceFunctionName>oREPLACE</ReplaceFunctionName>
        </Configuration>
       </Extension>
       <Extension Name="OLEDB-MD" Type="Microsoft.AnalysisServices.Modeling.QueryExecution.ASSemanticQueryCommand,Microsoft.AnalysisServices.Modeling"/>
      </SemanticQuery>
      <ModelGeneration>
       <Extension Name="SQL" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.MSSQL.MsSqlModelGenerator,Microsoft.ReportingServices.SemanticQueryEngine"/>
       <Extension Name="SQLAZURE" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.MSSQL.MsSqlModelGenerator,Microsoft.ReportingServices.SemanticQueryEngine"/>
       <Extension Name="ORACLE" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.Oracle.OraSqlModelGenerator,Microsoft.ReportingServices.SemanticQueryEngine"/>
       <Extension Name="TERADATA" Type="Microsoft.ReportingServices.SemanticQueryEngine.Sql.Teradata.TdSqlModelGenerator,Microsoft.ReportingServices.SemanticQueryEngine"/>
       <Extension Name="OLEDB-MD" Type="Microsoft.AnalysisServices.Modeling.Generation.ModelGeneratorExtention,Microsoft.AnalysisServices.Modeling"/>
      </ModelGeneration>
      <Security>
       <Extension Name="Windows" Type="Microsoft.ReportingServices.Authorization.WindowsAuthorization, Microsoft.ReportingServices.Authorization"/>
      </Security>
      <Authentication>
       <Extension Name="Windows" Type="Microsoft.ReportingServices.Authentication.WindowsAuthentication, Microsoft.ReportingServices.Authorization"/>
      </Authentication>
      <EventProcessing>
       <Extension Name="SnapShot Extension" Type="Microsoft.ReportingServices.Library.HistorySnapShotCreatedHandler,ReportingServicesLibrary">
        <Event>
         <Type>ReportHistorySnapshotCreated</Type>
        </Event>
       </Extension>
       <Extension Name="Timed Subscription Extension" Type="Microsoft.ReportingServices.Library.TimedSubscriptionHandler,ReportingServicesLibrary">
        <Event>
         <Type>TimedSubscription</Type>
        </Event>
       </Extension>
       <Extension Name="Cache Refresh Plan Extension" Type="Microsoft.ReportingServices.Library.CacheRefreshPlanHandler,ReportingServicesLibrary">
        <Event>
         <Type>RefreshCache</Type>
        </Event>
       </Extension>
       <Extension Name="Cache Update Extension" Type="Microsoft.ReportingServices.Library.ReportExecutionSnapshotUpdateEventHandler,ReportingServicesLibrary">
        <Event>
         <Type>SnapshotUpdated</Type>
        </Event>
       </Extension>
      </EventProcessing>
     </Extensions>
     <MapTileServerConfiguration>
      <MaxConnections>2</MaxConnections>
      <Timeout>10</Timeout>
      <AppID>(Default)</AppID>
      <CacheLevel>Default</CacheLevel>
     </MapTileServerConfiguration>
    </Configuration>

  • Reporting Subscriptions Failing - "Failure Sending Mail". Must be something obvious!

    I've spent the last few hours on this and cannot for the life of me figure what it is that I have overlooked. I have created a report email subscription, nothing particularly fancy. It is always failing on:
    Failure sending mail: The SMTP server requires a secure connection or the client was not authenticated. The server response was: 5.7.1 Client was not authenticated
    The setup:
    SCCM 2012 R2
    SQL Server 2012 (on the SCCM server)
    Exchange 2010
    SCCM - Email Notification Component is configured correctly. The SMTP test works and I also receive alerts when one of my SCEP rules are triggered. All good.
    SQL Management Studio - DataBase  Mail is configured; sending a test e-mail works. Using Basic Authentication with a network account specified.
    Exchange 2010 has a Receiver Connector created to relay e-mails from the SCCM Server.
    Reporting Services Configuration Manager - Email Section has been completed.
    Can anyone point me in the right direction?

    Hi Garth,
    Thanks for the response. I was under the impression that CM12 uses SSRS (and thus the SQL Mail configuration) to send out the Subscription Reports, if that is definitely not the case I can eliminate that part from my configuration all together.
    So, to clarify:
    CM12 Alerts have always been working fine - no issue here and I understand this is a different kettle of fish to SSRS.
    <cite class="ipb" style="padding:0px 10px 8px;border-width:0px 2px 2px;border-left-style:solid;border-left-color:#989898;border-bottom-style:solid;border-bottom-color:#e5e5e5;border-right-style:solid;border-right-color:#e5e5e5;font-weight:bold;font-style:normal;overflow-x:auto;margin:-1px
    -12px 8px;width:1299px;display:block;-webkit-user-select:none;background:-webkit-gradient(linear, 0% 0%, 0% 100%, from(rgb(246, 246, 246)), to(rgb(229, 229, 229)));">Quote</cite>Why do you think that SSRS can send test message, where did you do this action?
    I actioned the "Send Test E-mail" option when you right-click on the Database Mail option within SQL2012. However, as you pointed out already, if this has absolutely
    nothing to do with the Subscription Reports configuration, then this is no longer relevant. If anything it just proves that e-mails can be sent via the Exchange server (using basic authentication).
    Now, I guess, I just need to figure what within SSRS Configuration Manager is missing, my trouble is that there isn't any detailed settings I can configure
    and Exchange logs doesn't indicate anything that isn't already reported by SCCM:
    2014-06-25T14:09:14.168Z,Exchange\SCCM01 - Subscription Reports Receiver,08D15B57A7508DA3,21,10.2.2.202:25,10.2.2.213:63905,>,530 5.7.1 Client was not authenticated,

  • Sending mail for failed idocs

    hi
    is there any standard function module to send mail to the receipients if any idocs has been failed during the process.
    Please revert back.
    Points will be awarded for the appropriate answers.
    Thanks & Regards
    Varalakshmi.K

    Varalakshmi,
    In your partner profile we20 , you can set the agent who should receive the failure.
    Please check the tab post processing permitted agent.
    The agents should be maintained in the transaction PPOME.
    For docs, please go to
    www.sapgenie.com
    Thanks
    Ganesh.S

  • Transfer Failed message when trying to send pics via bluetooth

    I used to have no problem sending pictures from my LG Vu to my Macbook Pro via bluetooth but ever since I sent my Mac in for repair and got it back from apple it no longer does this. Both the phone and my Macbook will connect and the download will start, but then my Macbook disconnects and I get a Transfer Failed message on my screen. If anyone knows how to fix this bug I would greatly appreciate it. Thanks.

    Try deleting your Bluetooth set up and re-doing as if it was from the beginning.

  • Failed to send mail to external domain via portal

    Hi Gurus,
    By following the configuraion instructions in <b>SAP library - Collaboration - Groupware - Installing and Configuring E-Mail Connectivity</b>, I managed to send mail to recipients who reside in same domain e.g. <b>[email protected]</b> via portal.
    However, I failed to send mail to external domain e.g. <b>[email protected]</b>. I got the following error message:
    The mail could not be sent to the specified recipients com.sap.ip.collaboration.gw.impl.transport.javamail.exception.MailSendException: The mail could not be sent to the specified recipients
         at com.sap.ip.collaboration.gw.impl.transport.javamail.JavaMailTransport.sendMail(JavaMailTransport.java:183)
    --------- exception is chained. Original exception ------------
    javax.mail.SendFailedException: Invalid Addresses;
      nested exception is:
         javax.mail.SendFailedException: 553 sorry, that domain isn't in my list of allowed rcpthosts (#5.7.1)
         at com.sun.mail.smtp.SMTPTransport.rcptTo(SMTPTransport.java:804)
         at com.sun.mail.smtp.SMTPTransport.sendMessage(SMTPTransport.java:320)
    Please help.
    Thanks alot.

    Hi Ajey,
    Thanks for your reply. I had tried your suggestion but same problem occurred with same error output.
    Actually, I encounterred this error message before in my <b>Microsoft Outlook</b>, where System Admin returned me a mail saying that, my mail was undeliverable with the same error message. But this can be solved by applying the <b>Internet Email Account Setting - Outgoing Server - My outgoing server (SMTP) require authentication</b>.
    So I am wondering,
    1) This problem is caused by SMTP server?
    2) Is there any workaround (like the Outlook Setting) I can configure in Portal?
    Do you have any idea?
    Thanks,
    HauChee

  • Failed to send mail: java.lang.NullPointerException

    Hi @,
    I have configured my receiver mail adpter and while running it is throwing the following error in adapter engine and there is no trace availble to analyse the same Only the follwoing error :
    "failed to send mail: java.lang.NullPointerException"
    Any help Its urgent.
    Regards

    This is strange...some times this types of errors drives crazy isn't....delete it and recreate it.
    just curious the service for mail adapter  in Visaual admin is up right?

  • [nQSError: 75006] Failed to send MAIL Command

    Hello,
    We are on AIX and Siebel Analytics 7.8.5. We are having a weird issue with ibots. Wwe have around 800 ibots and only 65 of them fail with *[nQSError: 75006] Failed to send MAIL Command* this error. These ibots use to work good. I have created some test ibots and even those fail with the same error.
    Does any one have an idea..how to resolve this?
    Thanks in advance

    We are using Exchange Server. We are able to send e-mails to many usres....that means the credentials are correct. If we reschedule a delivered report..it is successful.
    Eventually succeeded, but encountered and resolved errors...
    Number of skipped recipients: 1 of 2
    +++ ThreadID: 8ca6 : 2010-09-23 09:30:37.000
    iBotID: /shared/_iBots/NBR - ED and Mktg/NBR Alert - Private Equipment
    [nQSError: 75006] Failed to send MAIL command.
    +++ ThreadID: 8ca6 : 2010-09-23 09:30:37.000
    iBotID: /shared/_iBots/NBR - ED and Mktg/NBR Alert - Private Equipment
    ...Trying SMTP Delivery loop again
    +++ ThreadID: 8ca6 : 2010-09-23 09:30:37.000
    ... Sleeping for 9 seconds.
    +++ThreadID: 8ca6 : 2010-09-23 09:30:46.000
    iBotID: /shared/_iBots/NBR - ED and Mktg/NBR Alert - Private Equipment
    [nQSError: 75006] Failed to send MAIL command.
    +++ ThreadID: 8ca6 : 2010-09-23 09:30:46.000
    iBotID: /shared/_iBots/NBR - ED and Mktg/NBR Alert - Private Equipment
    ...Trying SMTP Delivery loop again
    +++ ThreadID: 8ca6 : 2010-09-23 09:30:46.000
    ... Sleeping for 4 seconds.
    +++ ThreadID: 8ca6 : 2010-09-23 09:30:50.000
    iBotID: /shared/_iBots/NBR - ED and Mktg/NBR Alert - Private Equipment
    [nQSError: 75006] Failed to send MAIL command.
    Thanks

Maybe you are looking for

  • Customer wants to see Discount Field and Quantity field in Sales order Form

    Hi Gurus, Highly appreciate if you provide the solution for below issue: My customer requirement is to see Discount field in sales order lines screen...They want to know how much percentage of discount they are giving to customer, if they want to mod

  • How to scale down number of pages in ps files

    I am having ps files that are havings 4 to 8  pages per file. Each page may contain just 5-6 lines and therefore though the content in total is not too much but there is unnecessay paper wastage. Is it possible to make some changes in code inside ps

  • How to validate a filed in a search help which is created in se11

    hi i got a requirement that validate a search help. i created a ztable with 3 fileds for that one i have to create a search help so help me to how to validate fields in a search help. regards krishna

  • TS4079 Problem with siri on iPhone4s

    I have responded a sentence from siri : Sorry, I can not take any request right now. Please try again in a little while. I can not repair this although I restored my device many times. Please help me.

  • Inventory database

    I have zenworks for desktops installed which I use to remote control and load software. I do not have the inventory database setup. Is this an add on part of zenworks which I have to purchase? If not is it easy to setup?