TEMP TS Filling Up

Hi,
The TEMP tablespace is already enormous - 120GB, but it still fills up too quickly...
Can anyone suggest what to do to prevent this from happening?
Thanks,
P.S. 10.2.3, RH Linux.

You should use V$SORT_USAGE, but either way, if it doesn't report anything, it means there are no curent sessions performing sorting operations.
USERNAME, USER, SESSION_ADDR, SESSION_NUM are the columns used to identify the sorting session.
You can use V$SORT_SEGMENT to identify the sort segment currently allocated at your temporary tablespace, but it is not that important at this time, it only states that your temporary tablespace hosts a temporary segment, which is not currently in use, as you can see from the previous query.
Temporary tablespaces will keep on growing and they look like they are filled at nearly 100%, it looks like it will never release the space, but it is a normal behavior, temporary tablespaces simply don't release space once they allocate it assuming the same space will be required to be re-allocated in the future, it is just a performance issue, it'll be easier for the temporary space to have preallocated the space instead of reallocating it.
It is important to verify the temporary space usage, as I previously stated in my first post in the thread. If you just want to manually release the space, just drop/create the temporary tablespace to a size that fits your requirements, but bear in mind that if the tablespace grew that high, it will probably do it again in the future if sorting space is required to meet the sorting requirements.
~ Madrid

Similar Messages

  • Windows\Temp folder filling fast - how to Dispose the Crystal Objects?

    Post Author: pontupo
    CA Forum: .NET
    So the Windows\Temp folder is fast filling the disk in my
    deployment. Each time a report is opened, a number of files are created
    here. The problem is, of course, probably that I'm not releasing my
    report objects in my code, as the reports can't even be manually
    deleted without shutting down IIS. Well, fair enough. What I can't
    figure out is where to release my reports objects. I have two pages:
    one performs a pre-pass of the report object and generates a dynamic
    page to prompt the user for parameters. This page, I believe, has no
    problems because the report.Close() command is in line with the code
    and is the final statement, but I could be mistaken and this page may also be leaving memory leaks. The second page, however, has the
    CrystalReportsViewer object and actually displays the report to the
    user after setting up the parameters correctly. On this page, I can't
    figure out how/when to call report.Close(). If I do it at the
    page.Dispose event, there seems to be no affect. If I do it at the
    page.Close event, the report will load fine, but if you try to go to
    another page in the report (in the case of multi-page reports) or
    refresh the data, the report object has already been unloaded and the
    CrystalReportsViewer won't be able to find the report document. If I
    wrap my code in one big Try-Catch-Finally (rather than just having a
    Try-Catch around the file load itself) as I've seen suggested elsewhere and place a report.Close()
    command in the Finally, the Finally is executed before the viewer even
    loads the report so I get a file not found error. So where
    can I unload the report object? What I want is to persist the report
    via Sessions (which I do) so that as the user moves between pages of
    the report/refreshes the report will remain loaded, but when the user
    closes the page or browses to another page, perhaps, I want to close
    the report and free the resources so that the temp files are deleted.
    Following are some code samples: Protected Sub Page_Init(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Init        sessionString = Request.QueryString("report")        report = Server.MapPath("reports/") & Request.QueryString("report") & ".rpt"        ConfigureCrystalReport()    End SubPrivate Sub ConfigureCrystalReport()        If (Session(sessionString) Is Nothing) Then            reportDoc = New ReportDocument()            'load the report document            If (IsReportValid()) Then              reportDoc.Load(report)              '******************************              'bunch of other code, authentication              'parameter handling, etc. here              '******************************              Session(sessionString) = reportDoc        Else                Response.Redirect("error.aspx")            End If        Else            reportDoc = CType(Session(sessionString), ReportDocument)        End If    CrystalReportsViewer.ReportSource = reportDoc    End Sub    Private Function IsReportValid() As Boolean        Dim reportIsValid As Boolean = False        Try            If (System.IO.File.Exists(report)) Then 'does the file exist?                'if it does, try to load it to confirm it's a valid crystal report                Dim tryReportLoad As New CrystalDecisions.CrystalReports.Engine.ReportDocument()                tryReportLoad.Load(report)                tryReportLoad.Close()                tryReportLoad.Dispose()                reportIsValid = True            End If        Catch ex As Exception            reportIsValid = False        End Try        Return reportIsValid    End Function'Currently, I've also tried each of the following:Protected Sub Page_Unload(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Unload        CloseReports(reportDoc)        CrystalReportsViewer.Dispose()        CrystalReportsViewer = Nothing    End Sub    Private Sub CloseReports(ByVal report As ReportDocument)        Dim sections As Sections = report.ReportDefinition.Sections        For Each section As Section In sections            Dim reportObjects As ReportObjects = section.ReportObjects            For Each reportObject As ReportObject In reportObjects                If (reportObject.Kind = ReportObjectKind.SubreportObject) Then                    Dim subreportObject As SubreportObject = CType(reportObject, SubreportObject)                    Dim subReportDoc As ReportDocument = subreportObject.OpenSubreport(subreportObject.SubreportName)                    subReportDoc.Close()                End If            Next        Next        report.Close()    End Sub'This was the solution suggested on another forum. I've also tried:Protected Sub Page_Disposed(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Disposed        reportDoc.Close()        reportDoc.Dispose()        CType(Session(sessionString), ReportDocument).Close()        Session(sessionString) = Nothing    End Sub'I've also tried wrapping everything inside of the If statement in the ConfigureCrystalReport() method in code to this effect:If (IsReportValid()) Then                Try                    reportDoc.Load(report)Catch e As Exception                    Response.Redirect("error.aspx")                Finally                    reportDoc.Close()                End TryAny advice on this is appreciated. Thanks in advance, Pont

    Post Author: sarasew13
    CA Forum: .NET
    Why are you checking for is valid before closing?  As long as the report object isn't null you should be able to close it (whether it's open or not).  I ran into this same problem when trying to store the report, so now I just store the dataset.  Everything seems to work fine and navigate appropriately so here's more or less how I handle it:
    DataSet myDS;ReportDocument myRPT;
        protected void Page_Load(object sender, EventArgs e)    {        try        {            if (!IsPostBack)            {                //pull variables from previous page if available                //set variables into view state so they'll persist in post backs            }            else            {                //if postback then pull from view state            }
                createReport();    }        catch (Exception err)        {            //handle error        }    }
        private void createReport()    {        myDS = new DataSet();        string rpt;
            rpt = "RPTS/report.rpt";        try        {            if (!IsPostBack || Session["data"] == null)            {                myDS = getData();//make data call here                Session["data"] = myDS;            }            else            {                myDS = (DataSet)Session["data"];            }
                if (myDS.Tables.Count > 0)//make sure the dataset isn't empty            {                myRPT = new ReportDocument();                myRPT.Load(Server.MapPath(rpt));                myRPT.SetDataSource(myDS.Tables[0]);
                    if (!IsPostBack)                {                    //code to set parameters for report here                }
                    MyViewer.ReportSource = myRPT;            }        }        catch (Exception error)        {            //handle error        }    }
        protected void Page_Unload(object Sender, EventArgs e)    {        try        {            if (myRPT != null)            {                myRPT.Close();            }        }        catch (Exception error)        {            //handle error        }    }

  • TEMP tablespace fills up quickly

    Hi All,
    I know this is a very classic question.
    In my client, we run annual reports during 1-2 days a year and the TEMP tablespace gets filled up very quickly.
    What is the best practice of managing the TEMP tablespace size in a very busy database. (Oracle Applications is running)
    Thanks,
    Sinan Topuz

    A temporary tablespace contains transient data that persists only for the duration of the session. Temporary tablespaces can improve the concurrency of multiple sort operations, reduce their overhead, and avoid Oracle Database space management operations. A temporary tablespace can be assigned to users with the CREATE USER or ALTER USER statement and can be shared by multiple users.
    Within a temporary tablespace, all sort operations for a given instance and tablespace share a single sort segment. Sort segments exist for every instance that performs sort operations within a given tablespace. The sort segment is created by the first statement that uses a temporary tablespace for sorting, after startup, and is released only at shutdown. An extent cannot be shared by multiple transactions.
    You can view the allocation and deallocation of space in a temporary tablespace sort segment using the V$SORT_SEGMENT view. The V$TEMPSEG_USAGE view identifies the current sort users in those segments.
    You cannot explicitly create objects in a temporary tablespace.
    Please note all this point.

  • Temp tablespace filling up

    Hi,
    The temp tablespace on our DB has suddenly started filling up.
    There is 4gb ram on the server, roughly 1.3G is used by the OS,
    , 1.7 bg the sga and 700mb by PGA target parameter.
    We are using ASM, so the sort_area_size parameter does not come into play.
    All the ratios are fine, but once the temp tablespace is nearly full, things grind to a halt.
    Has anyone got any hints about best way forward.
    I have set statspack to run on the hour.
    I appreciate ram is low, but I am confused as to why this has suddenly started to happen.
    Thanks for reading.

    cleme1a wrote:
    Hi,
    The temp tablespace on our DB has suddenly started filling up.
    There is 4gb ram on the server, roughly 1.3G is used by the OS,
    , 1.7 bg the sga and 700mb by PGA target parameter.
    We are using ASM, so the sort_area_size parameter does not come into play.
    All the ratios are fine, but once the temp tablespace is nearly full, things grind to a halt.Ratios are mythical indicators of performance.
    do as below so we can know complete Oracle version & OS name.
    Post via COPY & PASTE complete results of the following:
    sqlplus <username>/<password>
    SELECT * from v$version;
    exit

  • Temp files filling up disk space

    Hi,
    I am not sure what or why this this is happening, but the /tmp folder on our servers keep getting filled up with some XMLP files:
    -rw-r--r-- 1 applmgr system 1178869 Sep 22 01:15 /tmp/xdo1190423730343.fo
    -rw-r--r-- 1 applmgr system 1266343936 Sep 22 02:15 /tmp/xdo1190423733448.tmp
    -rw-r--r-- 1 applmgr system 351109678 Sep 22 02:15 /tmp/xdo1190423733555.pla
    -rw-r--r-- 1 applmgr system 993159 Sep 22 02:02 /tmp/xdo1190426572262.fo
    -rw-r--r-- 1 applmgr system 215040000 Sep 22 02:15 /tmp/xdo1190426575027.tmp
    -rw-r--r-- 1 applmgr system 69623808 Sep 22 02:31 /tmp/xdo1190426575162.pla
    Any idea what is causing this? Or how can this be prevented?
    We are on 11.5.9 and using XMLP 5.5
    Thanks,
    Ashish
    Message was edited by:
    Ashish Srivastava

    Could somebody explain
    What are scalable features and how do we turn them off?
    One time I had a very bad experience with these files.
    File got created and its size was more than 65GB 'carzy!!'
    it hang up whole system,every thing worked fine after deleating this file.
    They get created,dont know how and why??
    Are we missing something..?? or
    Are we supposed to turn off something..??
    Any ideas!!
    thanks
    ss

  • Office Interop 32 bit on 64 bit OS email attachments filling up outlook temp folder OLK

    I have an issue when sending emails (many) using Office.Interop 32 bit that when the application is installed on a 64 bit OS the outlook secure temp is filling up and throwing an exception, this does not occur when the application is installed on a 32 bit
    OS.
    .NET framework 4.0
    Visual Studio 2010 (C#)
    Microsoft.Office.Interop.Outlook 14.0.0.0 Runtime v2.0.50727
    for (int i = 0; i < 300; i++)
    Microsoft.Office.Interop.Outlook.Application outlookApplication = new Microsoft.Office.Interop.Outlook.Application();
    Microsoft.Office.Interop.Outlook._MailItem oMailItem = (Microsoft.Office.Interop.Outlook._MailItem)outlookApplication.CreateItem(Microsoft.Office.Interop.Outlook.OlItemType.olMailItem);
    oMailItem.Recipients.Add("[email protected]").Type = 1;
    oMailItem.Subject = "test email";
    oMailItem.BodyFormat = OlBodyFormat.olFormatHTML;
    oMailItem.Save();
    oMailItem.Attachments.Add(@"C:\test_doc_1.docx", (int)Microsoft.Office.Interop.Outlook.OlAttachmentType.olByValue, Type.Missing, Type.Missing);
    oMailItem.Attachments.Add(@"C:\test_doc_2.docx", (int)Microsoft.Office.Interop.Outlook.OlAttachmentType.olByValue, Type.Missing, Type.Missing);
    oMailItem.Send();
    Win7 32bit with Outlook 2010 32bit -> Works on this setup
    Win7 64bit with Outlook 2010 32bit -> Does not work on this set up
    Problem:
    Sending many emails with the same attachment fills the outlook secure temp folder 
    C:\Users\[User]\AppData\Local\Microsoft\Windows\Temporary Internet Files\Content.Outlook\ZT7WMFGK\
    (with a temp copy of the attachment) these files are not removed on Win7 64bit so at about 200 emails the exception is thrown:
    "Cannot create file [file name]. Right-click the folder you want to create the file in, and then click Properties on the shortcut menu to check your permissions for the folder."
    On Win7 32bit i can see the files getting automatically deleted from the secure temp folder so there is no problem
    Im not sure where to start with this.

    Seems that you have to release the objects explicitly. According to articles (http://www.bing.com/search?q=c%23%20release%20com%20objects), try this:
    Application outlookApplication =
    new
    Application();
    _MailItem oMailItem = (_MailItem)outlookApplication.CreateItem(
    OlItemType.olMailItem );
    var recipients = oMailItem.Recipients;
    var recipient = recipients.Add(
    recipient.Type =
    1;
    oMailItem.Subject =
    "test email";
    oMailItem.BodyFormat =
    OlBodyFormat.olFormatHTML;
    oMailItem.Save();
    var attachments = oMailItem.Attachments;
    var attachment1 = attachments.Add(
    @". . . .", (int)OlAttachmentType.olByValue,
    Type.Missing,
    Type.Missing );
    var attachment2 = attachments.Add(
    @". . . .", (int)OlAttachmentType.olByValue,
    Type.Missing,
    Type.Missing );
    oMailItem.Send();
    Marshal.ReleaseComObject( attachment2
    Marshal.ReleaseComObject( attachment1
    Marshal.ReleaseComObject( attachments
    Marshal.ReleaseComObject( recipient );
    Marshal.ReleaseComObject( recipients
    Marshal.ReleaseComObject( oMailItem );
    Marshal.ReleaseComObject( outlookApplication
    Check (with Debugger) that the files are removed at the end of this fragment.
    Also consider creating a single outlookApplication before the loop.

  • Jar_cache files left in temp folder

    With my java applet, I notice that my Temp folder fills up with lots of jar_cachexxx files, where xxx is numeric.
    Running on Windows Vista.
    Most of these files have a size of 0.
    The files never seem to be deleted.
    I've searched the forums, but this does not seem to be a current issue.
    One closed 'not a bug', suggested that the behaviour was correct if I load the applet as an <object > in the html, rather than as an <applet >. I've changed my html, but makes no difference.
    I'm a little concerned that users of my app will be filling up there hard drives with empty useless files.
    Does anyone else get lots of these building up in their Temp folder? Is there a solution to this?

    Did you find a resolution for this? I have a server that is doing the same thing and would like to get it cleaned up.
    Thanks!
    Jeff

  • Discoverer reports taking a long time!!!

    Hi all,
    One of our clients is complaining that the discoverer reports are taking a long time to run for the last few days, the report used to take 30 minutes before but now is running for hours!!
    I have checked the SGA and I have killed the idle sessions but still there was no improvement in the performance.
    The version of BI discoverer is 10 and database also is 10g and the platform is win server 2003.
    I have checked the forums and they talk about explain plan and tkprof and other commands, but my problem is that i am unable to find the query that discoverer is running i mean once the report is clicked the query runs and gives the estimate time it would take. can some one tell me where this query is stored so that i can check this query,
    Also there were no changes made in the query or to the database.
    The temp space fills up 100%, i increased the size of temp space but still it goes to 100% also i noticed that the CPU utilisation goes to 100%
    i also increased the SGA but still no go.
    can someone kindly help me as to what could be causing this problem
    also kindly guide me to some good documents for tuning the discoverer.
    thanks in advance,
    regards,
    Edited by: user10243788 on Jan 4, 2010 12:47 AM

    Hi,
    The fact that the report used to work fast and now not can be related to many things but my guess is that the database statistics were changed and so the explain plan has changed.
    This can be done due to change in the volume of the data that crossed a level were oracle optimizer change the behavior but it can be other things as well.
    Anyway it is not relevant since it will be easier to tune the SQL than to find what have changed.
    In order to find whether the problem is with the discoverer or in the SQL extract the SQL as described above and run it in SQL tool (SQL Plus, TOAD, SQL Developer and so on).
    The best way to get to the problem is run a trace on your session and then use the TKPROF command to translate it to a text file you can analyze - you can assist your DBA team they should have no problem doing that.
    By doing that you will get the problematic statements/ functions/ procedures that the report uses.
    From there you can start working on improving the performance.
    Performance is expertise for itself so i'm sorry i don't know to tell you where to start from, I guess the start will be from understanding the meaning of the explain plan.
    Hope I helped a little although I wish Ii had a magic answer for you
    BTW, until you resolve that problem you can use the discoverer scheduler to run the reports in the background and so the users will get the data.
    Tamir

  • Premiere Pro 2014 upgrade question

    Heya.
    So, a while back I upgraded Adobe Premiere Pro to Adobe Premiere Pro 2014. But when I did, instead of just upgraded I was given 2014 as a separate program and I still had the original. It didn't seem to affect anything, so I paid it no mind and just proceeded with 2014. Lately though, all my adobe programs are working for only 15~20 minutes before slowing down to a snails pace and then freezing all together. At first I thought it was my lack of free disc space, so I deleted enough junk to put me at 83GB. But the programs are still sluggish after only a little bit of use. So my question is: What will happen if I delete the original Adobe Premiere Pro (in order to make more space)? Will I still have 2014, or can it not exist on my computer without the original?

    Separate installs, separate functionality. Uninstalling older versions will drag down shared components, though, and necessitate a reinstall of the other product. Won't fix anything for you, though, I can tell you that. Your system is most likely simply showing signs of wear like fragmented disks or temp folders filling up just as any update to Windows or a driver could interfere operations. Do some housekeeping and check your settings.
    Installation Preparations | Mylenium's Error Code Database
    Mylenium

  • Dbms_utility.analyze_schema

    Does anyone know what percentage the package uses when estimating if no % is specified?
    (The default is null but it does do some estimating)
    The reason asked is that there is a bug which, when using analyze table etc, if the % estimated is too high (for large numbers of rows), temp gets filled, then sys, then the db will hang.

    You use an incorrect method to calculate statistics which has been deprecated by Oracle.
    You should dbms_stats.gather_schema_stats instead.
    Also you could and should have looked up this procedure in the online documentation at http://tahiti.oracle.com
    Please do not abuse this forum by asking doc questions.
    Sybrand Bakker
    Senior Oracle DBA

  • Unity 4.2(1.0) delayed messages

    We have customer who are having issues of delayed delivery of voicemails.. sometimes days...
    The problem is that Unity holds some voicemails for days before releasing them. Some users saying that after return from holiday, they clear down all voicemails and then the following day they get some from a few days ago.
    I have restarted the server and MTA service but this issue seems to return after few days.
    Any idea what could be the issue or is there a bug in this version?
    Help would be much appreciated.
    Thanks

    this is the text for the Cisco Unity 4.2(1) Engineering Special 173 (I also reported the broken link that you saw earlier):
    Release Notes for 4.2(1) Engineering Special 173
    System Requirements
    Overview
    Engineering Special Installation Instructions
    Post Installation Steps
    New Options and Features
    Uninstall Instructions
    Resolved Defects
    System Requirements
    This Engineering Special (patch) requires Cisco Unity 4.2(1) and needs to be installed on both Primary and Secondary Cisco Unity failover servers in the case of a failover configuration.
    Overview
    A complete list of defects addressed by this Engineering Special can be found in the section titled Resolved Defects. This Engineering Special is a roll-up of the following Engineering Specials and service patches:
    ES172, ES171, ES170, ES169, ES168, ES167, ES166, ES165, ES164, ES163, ES162, ES161, ES160, ES159, ES158, ES157, ES155, ES153, ES152, ES150, ES149, ES148, ES147, ES146, ES145, ES144, ES143, ES142, ES140, ES139, ES137, ES135, ES134, ES133, ES132, ES131, ES130, ES129, ES127, ES126, ES125, ES123, ES122, ES121, ES120, ES119, ES118, ES117, ES116, ES115, ES114, ES113, ES112, ES111, ES110, ES109, ES108, ES107, ES106, ES105, ES104, ES103, ES102, ES101, ES100, ES99, ES98, ES97, ES96, ES95, ES94, ES93, ES92, ES91, ES89, ES88, ES87, ES86, ES85, ES84, ES83, ES82, ES81, ES80, ES79, ES78, ES77, ES76, ES75, ES73, ES72, ES71, ES70, ES69, ES68, ES67, ES66, ES64, ES63, ES62, ES61, ES59, ES58, ES57, ES56, ES55, ES54, ES53, ES52, ES51, ES50, ES49, ES48, ES47, ES46, ES44, ES43, ES42, ES41, ES40, ES39, ES38, ES37, ES36, ES35, ES34, ES33, ES32, ES31, ES30, ES28, ES27, ES26, ES25, ES24, ES23, ES22, ES20, ES19, ES18, ES17, ES16, ES15, ES14, ES13, ES12, ES11, ES10, ES9, ES8, ES6, ES5, ES4, ES3, ES2, ES1
    Engineering Special Installation Instructions
    Logon to the Cisco Unity server console either directly (physical console) or via VNC (do not use Terminal Services / Remote Desktop)
    Double click the executable install file CU4.2(1)_ES173.exe
    Step through the installation wizard clicking 'Next' as appropriate
    Once the installation has completed select the option to reboot the Cisco Unity server
    Post Installation Steps
    1) This patch must be installed after applying this Engineering Special, available here for download: Other non-Cisco Unity Patch 70.
    This patch installs new prompts to provide a warning when the Reply-All recipient list either contains a PDL or is above a threshold.
    2) These steps must be applied after applying this Engineering Special:
    a. Stop Tomcat service.
    b. Delete only the files in
    \CommServer\cscoserv\Tomcat\work\Standalone\localhost\ciscopca directory.
    c. Restart Tomcat service.
    3) Customers using the Blackberry feature with Cisco Unity must apply this patch on the Blackberry server after applying this Engineering Special, available here for download: Other non-Cisco Unity Patch 76.
    4) Customers with systems based in Australia shall be affected by the Daylight Saving Time changes introduced by the Australian Gov't across several of their territories. The changes cause systems to report incorrect time stamps and to resolve them patches from Microsoft and Sun Microsystems must be applied after applying this engineering special:
    Sun Microsystems patch:
    a. Download the TZUpdater 1.2.2 or later from here: TZ Updater to the Cisco Unity system.
    b. Stop the Tomcat service.
    c. Unzip the contents to the same folder, file extracted tzupdater.jar
    d. Open a CMD window and change directories to where tzupdater.jar is located
    e. Enter "%JAVA_HOME%\jre\bin\java -jar tzupdater.jar -u -v -bc" and press enter. The output should be similar to this:
    - java.home: E:\CommServer\cscoserv\Java2SDK\jre
    - java.vendor: Sun Microsystems Inc.
    - java.version: 1.4.2_13
    - JRE time zone data version: tzdata2006g
    - Embedded time zone data version: tzdata2007h
    - Extracting files... done.
    - Making changes for JDK 1.1 compatibility... done.
    - Renaming directories... done.
    - Validating the new time zone data... done.
    - Time zone data update is complete.
    Windows Patch
    Apply the relevant Windows patch (Windows 2003 SP1/SP2 or Windows 2000 SP4) to the following machines:
    a. Each Cisco Unity Server
    b. Each Cisco Unity Bridge
    c. All servers hosting Microsoft Exchange or Lotus Domino housing a mailbox of a Cisco Unity subscriber
    d. The Cisco Unity partner mail server
    e. Each Exchange server with the Internet Voice Connector installed
    f. Each domain controller in an Active Directory (AD) domain with a Cisco Unity server
    g. Each global catalog server within the AD forest where Cisco Unity is present
    The Windows 2003 SP1/SP2 patch may be obtained directly from Microsoft under Knowledge Base article 955839. The Windows 2000 SP4 patch, KB article 942763, is only available to customers with a Microsoft Extended Hotfix Service Agreement for Windows 2000.
    Defect: CSCsm32946, CSCtc11035
    4) Customer sites where Cisco Unity integrated with multiple PIMG devices is failing to start after Microsoft hotfix MS08-037 - KB 953230 was applied must do the following after applying this Engineering Special:
    a) Open and close the Manage Integrations (UTIM) utility.
    b) Reboot the Cisco Unity server for the changes to take affect.
    Defect: CSCsv54175
    New Options and Features
    The following sections detail how to enable new options and features that are supported by this ES. Prior to following these steps, you must first install the ES as per the above Engineering Special Installation Instructions section
    1) Customers wishing to change the number of Microsoft Exchange mailstores Cisco Unity supports, shall need to modify the registry key found here:
    [\HKLM\Software\Active Voice\AvWm\1.00]
    Registry Key Name: Max Stores
    Registry Key Type: DWORD
    Registry Key Default Value: 250
    Other Settings:
    After changing the number of mailstores to support, stop Cisco Unity and the CuMdbStoreMonitor service and then re-start Cisco Unity.
    Defect: CSCsu03848
    2) Customer's wishing to enable the enhanced Cross-server login functionality shall need to upgrade to the latest version of the Advanced Setting Tools.
    Launch the Advanced Setting Tool and look for Networking - Allow Transfer Override on Cross-server Transfer Handoff and follow the instructions in the description for a full understanding on how this works feature can be enabled/disabled.
    Defect: CSCsd69934
    3) Customer's wishing to enable the enhanced functionality for transfers to alternate contact numbers shall need to upgrade to the latest version of the Advanced Setting Tools.
    Launch the Advanced Setting Tool and look for Conversation - ACN Follows Current Transfer Rule and follow the instructions in the description for a full understanding on how this works feature can be enabled/disabled.
    Defect: CSCsi02306
    4) Customers wishing to enable the functionality to prevent accidentally reply-all to PDLs shall need to upgrade to the latest version of the Advanced Setting Tools.
    Launch the Advanced Setting Tool and look for Conversation - Reply-to-All Warning and follow the instructions in the description for a full understanding on how this works feature can be enabled/disabled.
    Defect: CSCsi01131
    5) Customer's experiencing issues with cross-server transfers to VPIM, Bridge or AMIS subscribers under the conditions listed below should consider enabling this functionality:
    - Cisco Unity A and Cisco Unity B are two servers in the same directory and dialing domain.
    - Cisco Unity A has a VPIM (or Bridge or AMIS) Delivery Location configured for remote location X.
    - Cisco Unity A has a VPIM (or Bridge or AMIS) Subscriber (SubExt) associated with the Delivery Location.
    - Cisco Unity B, on the SA Dialing Domain page, "Cross-server transfer: Pass control to the called subscriber's Cisco Unity server" is enabled.
    In these conditions, if a caller calls Cisco Unity B and enters the id of SubExt, Cisco Unity B will prompt "One moment please", then immediately "You cannot be transferred now" and the caller will be returned to the previous conversation state.
    Upgrade to the latest version of the Advanced Setting Tools.
    Launch the Advanced Setting Tool and look for Networking - Cross-server Transfer Behavior for External Subscribers and follow the instructions in the description for a full understanding on how this works feature can be enabled/disabled.
    Defect: CSCsh56194
    6) Customers wishing to set the pre-pended and post-pended digits to any extension that a caller may dial while listening to the greeting for a Call Handler or Subscriber shall need to upgrade to the latest version of the Bulk Edit Utility.
    Launch the Bulk Edit Utility and perform topic search in the Help file for instructions on how to set the pre-pend and post-pend digits for Callhandlers and Subscribers.
    Defect: CSCse16249
    Uninstall Instructions
    On the Cisco Unity server console browse to the X:\CommServer\EngineeringSpecialBackup\ folder
    Search for the folder called CU4.2(1)_ES173
    Double click the Restore.bat file and follow the instructions
    Once the un-install completes reboot the Cisco Unity server
    Resolved Defects
    All defects listed below are included in this ES
    Fixes introduced in CU4.2(1)_ES173
    CSCsf27378
    CSCsf27378 - Media Master fails to load with "not found" errors in PCA
    CSCtc24189
    CSCtc24189 - HTTP TRAP - CPCA TRaP record does not work
    CSCsv30015
    CSCsv30015 - Unity failing to connect to SQL causing Unity to stop working as expected
    CSCsx94938
    CSCsx94938 - Recording New Greetings causes a file lock condition
    CSCta71728
    CSCta71728 - Issue with ActiveX controls shipped with Unity PCA
    CSCsz17586
    CSCsz17586 - Unity Inbox timestamp incorrect for some time zones
    CSCtc11035
    CSCtc11035 - DST change for Western Australia
    Fixes introduced in CU4.2(1)_ES172
    CSCsz19418
    CSCsz19418 - modify exclusion pattern so . (period) is allowed
    CSCsi74619
    CSCsi74619 - Conv - Empty-body TTS message can cause AV
    CSCsy10773
    CSCsy10773 - Intermittent License Corruption on double-byte Unity systems
    Fixes introduced in CU4.2(1)_ES171
    CSCsq76448
    CSCsq76448 - primary active but ports unregistered after reboot when sec. offline
    CSCsx67429
    CSCsx67429 - modify exclusion pattern so _ (underscore) is allowed with Exchange
    CSCsx95506
    CSCsx95506 - Remove feedback link from CPCA and SA
    Fixes introduced in CU4.2(1)_ES170
    CSCsx20874
    CSCsx20874 - Double-free in Event Log class can cause heap corruption, crash
    Fixes introduced in CU4.2(1)_ES169
    CSCsx20874
    CSCsx20874 - Double-free in Event Log class can cause heap corruption, crash
    Fixes introduced in CU4.2(1)_ES168
    Fixes introduced in CU4.2(1)_ES167
    CSCsv54175
    CSCsv54175 - Unity has IP Port conflicts with DNS after MS08-037 installed.
    CSCsw73149
    CSCsw73149 - Unity not starting Unexpected result in CAvLic::QueryS. Unspecified error
    Fixes introduced in CU4.2(1)_ES166
    CSCsv37908
    CSCsv37908 - If Interview Handler Question Skipped, Unity States Message Has No Audio
    CSCsv10048
    CSCsv10048 - DOM: Unity does not keep BusinessTelephoneNumber in sync
    CSCsv93549
    CSCsv93549 - Failover: FCW can fail if run after certain ESs applied
    Fixes introduced in CU4.2(1)_ES165
    CSCsm80598
    CSCsm80598 - TdsProxy fails due to corrupted Performance Counter Registry
    CSCso96540
    CSCso96540 - Unity should write eventlog warning when MAPI stalls
    CSCsd89417
    CSCsd89417 - SA does not create a MWI device correctly in SQL
    CSCsw19755
    CSCsw19755 - Port MWI improvements, fixes, diags to 4.2 from 5.0 and 7.0
    CSCsj35854
    CSCsj35854 - AvWm - Request to port MAPI function diags
    CSCsl48610
    CSCsl48610 - Unity sends port 0 in SDP information
    CSCsw25257
    CSCsw25257 - Unity AD sync - offer setting to disable sync'ing Scope DL's
    Fixes introduced in CU4.2(1)_ES164
    CSCsh04473
    CSCsh04473 - SA: Administrative Access report is empty
    Fixes introduced in CU4.2(1)_ES163
    CSCsv24693
    CSCsv24693 - Missing stored procedures after running scripts in UnitydbEx
    Fixes introduced in CU4.2(1)_ES162
    CSCsr86345
    CSCsr86345 - SA>Primary Location page is vulnerable to Cross Site Scripting
    Fixes introduced in CU4.2(1)_ES161
    CSCsr86971
    CSCsr86971 - Anonymous Auth Logon page counts against the session count
    CSCsr86943
    CSCsr86943 - Authentication bypass w/ anonymous auth
    Fixes introduced in CU4.2(1)_ES160
    CSCsr91797
    CSCsr91797 - AvLic diagnostics don't show Unity location being processed
    Fixes introduced in CU4.2(1)_ES159
    CSCsq80836
    CSCsq80836 - AvDSAD: Syncing of ScopeDls causes performance problems.
    Fixes introduced in CU4.2(1)_ES158
    CSCsm46139
    CSCsm46139 - CUOM voicemail test fails to deliver msg to inbox
    CSCso28123
    CSCso28123 - Unity repeats option to record message
    Fixes introduced in CU4.2(1)_ES157
    CSCse87865
    CSCse87865 - Change greeting to CUBI subscriber will change all others to default
    Fixes introduced in CU4.2(1)_ES155
    CSCso69772
    CSCso69772 - When sending message, if hang up after continuing, is not delivered
    Fixes introduced in CU4.2(1)_ES153
    CSCsm27607
    CSCsm27607 - JPN: Message Locator cannot search messages
    CSCsm09325
    CSCsm09325 - Unnecessary Drafts folder in unexpected language is created in Outlook
    CSCsd26042
    CSCsd26042 - Realspeak engine buffer overflow results in email TTS failure
    Fixes introduced in CU4.2(1)_ES152
    CSCsm90314
    CSCsm90314 - Dom: message notification re-sent on MWI Resync
    Fixes introduced in CU4.2(1)_ES150
    CSCsm97318
    CSCsm97318 - ReportDb_log.ldf or TempLog.ldf fill disk, may cause failsafe
    Fixes introduced in CU4.2(1)_ES149
    CSCsm82003
    CSCsm82003 - Streamsweeper logic deletes DB reference when it shouldn't
    Fixes introduced in CU4.2(1)_ES148
    CSCsi22389
    CSCsi22389 - Virtual Bytes / Fragmentation in AvCsMgr
    Fixes introduced in CU4.2(1)_ES147
    CSCsm17318
    CSCsm17318 - Unity can't set Continue adding names after each addressee from Web SA
    Fixes introduced in CU4.2(1)_ES146
    CSCsm32946
    CSCsm32946 - DST Australia Unity: Update for Unity
    Fixes introduced in CU4.2(1)_ES145
    CSCsg90913
    CSCsg90913 - Inconsistent subject line on subscriber to subscriber message
    CSCsk56884
    CSCsk56884 - Subscriber sign in should respect system first & inter digit dtmf delays
    Fixes introduced in CU4.2(1)_ES144
    CSCsm10385
    CSCsm10385 - MWI Refresh/resync turns MWI Off for New Urgent Domino Msg
    Fixes introduced in CU4.2(1)_ES143
    Fixes introduced in CU4.2(1)_ES142
    CSCsl79289
    CSCsl79289 - MWI lengthy after Exchange Cluster Failover
    Fixes introduced in CU4.2(1)_ES140
    CSCsl59482
    CSCsl59482 - VMO reports errors when form is published by not locally installed
    Fixes introduced in CU4.2(1)_ES139
    CSCsk79469
    CSCsk79469 - DST: Venezuela
    Fixes introduced in CU4.2(1)_ES137
    CSCsl56254
    CSCsl56254 - GC total resync should sync typically most important objects first
    Fixes introduced in CU4.2(1)_ES135
    CSCdx12345
    CSCdx12345
    Fixes introduced in CU4.2(1)_ES134
    Fixes introduced in CU4.2(1)_ES133
    CSCsh9258
    CSCsh9258
    CSCsf2633
    CSCsf2633
    CSCse7788
    CSCse7788
    CSCsg0314
    CSCsg0314
    Fixes introduced in CU4.2(1)_ES132
    CSCsl10496
    CSCsl10496 - Conversation Exception can cause Unity to ring-no-answer (RNA)
    CSCsk88930
    CSCsk88930 - Duplicate Alias can cause system to become unresponsive
    Fixes introduced in CU4.2(1)_ES131
    CSCsh61500
    CSCsh61500 - Can't forward Domino msgs without an intro via TUI with streamlined conv
    Fixes introduced in CU4.2(1)_ES130
    Fixes introduced in CU4.2(1)_ES129
    CSCsi43057
    CSCsi43057 - Heap Corruption in Miu during ASR cleanup
    CSCsk67827
    CSCsk67827 - MWI's may fail for PIMG integrations greater than the first integration.
    Fixes introduced in CU4.2(1)_ES127
    CSCsd16651
    CSCsd16651 - When invalid password entered at known extension, do not prompt for ID
    Fixes introduced in CU4.2(1)_ES126
    CSCsk08880
    CSCsk08880 - SA: SA use causes memory spikes/leak in AvCsMgr process
    Fixes introduced in CU4.2(1)_ES125
    CSCsk08880
    CSCsk08880 - SA: SA use causes memory spikes/leak in AvCsMgr process
    Fixes introduced in CU4.2(1)_ES123
    CSCsj76543
    CSCsj76543 - No audio if SIP call not cleared correctly, UDP port re-used
    Fixes introduced in CU4.2(1)_ES122
    CSCsd93217
    CSCsd93217 - Cross box login SIP not functioning
    Fixes introduced in CU4.2(1)_ES121
    CSCsj53656
    CSCsj53656 - New Call Routing Rules Should be disabled by default
    CSCsh15836
    CSCsh15836 - Unity 4.1.1 multiple admin adding call routing rules get mixed
    CSCsc8690
    CSCsc8690
    CSCsi1374
    CSCsi1374
    CSCsg4933
    CSCsg4933
    Fixes introduced in CU4.2(1)_ES120
    CSCsc51996
    CSCsc51996 - DInterop-Interop subs on member servers not deleted from Global sub tbl
    CSCsf10680
    CSCsf10680 - DOM: deleted Domino users are not removed from GlobalSubscriber table
    Fixes introduced in CU4.2(1)_ES119
    CSCsj80282
    CSCsj80282 - User name with Apostrophe will generate error
    Fixes introduced in CU4.2(1)_ES118
    CSCsj81527
    CSCsj81527 - Unity Inbox: time stamp adjustment not valid for DST change in 2007 NZ
    CSCsh35828
    CSCsh35828 - Unity Inbox: time stamp adjustment not valid for DST change in 2007
    Fixes introduced in CU4.2(1)_ES117
    CSCse77587
    CSCse77587 - TMP files in Unity Message Store account's temp folder fill drive
    Fixes introduced in CU4.2(1)_ES116
    Fixes introduced in CU4.2(1)_ES115
    Fixes introduced in CU4.2(1)_ES114
    Fixes introduced in CU4.2(1)_ES113
    Fixes introduced in CU4.2(1)_ES112
    CSCsj57251
    CSCsj57251 - Errors during Play Speed Adj with g.711 to g.729a conversion
    Fixes introduced in CU4.2(1)_ES111
    CSCsi73888
    CSCsi73888 - PCA Unity4.2.1- UK language reverse day with month in Alternate Greeting
    Fixes introduced in CU4.2(1)_ES110
    CSCsd39975
    CSCsd39975 - PCA cannot read or write to database when JDBC connections are refused
    Fixes introduced in CU4.2(1)_ES109
    CSCsi76164
    CSCsi76164 - DOM: Msg sent to a sub even if deleted from reply to all recipient list
    Fixes introduced in CU4.2(1)_ES108
    CSCsj16707
    CSCsj16707 - Crossbox showing event log warnings on caller disconnect
    CSCsj03459
    CSCsj03459 - Streamlined Conversations are inconsistent
    Fixes introduced in CU4.2(1)_ES107
    CSCsg76524
    CSCsg76524 - BusinessLogicManagerSvr.dll violates DLLMain rules and causes deadlock
    Fixes introduced in CU4.2(1)_ES106
    Fixes introduced in CU4.2(1)_ES105
    Fixes introduced in CU4.2(1)_ES104
    CSCsi95296
    CSCsi95296 - Optional Conversion Help (Zero for Help) is not functioning
    Fixes introduced in CU4.2(1)_ES103
    CSCsi88008
    CSCsi88008 - AvConcCVMENU006.wav causes call to terminate prematurely
    Fixes introduced in CU4.2(1)_ES102
    Fixes introduced in CU4.2(1)_ES101
    CSCsi98311
    CSCsi98311 - PIMG: Notifier should disable port when PIMG unavailable
    Fixes introduced in CU4.2(1)_ES100
    Fixes introduced in CU4.2(1)_ES99
    CSCsi77374
    CSCsi77374 - Unity Mobile Messaging Cannot Handle Spaces
    Fixes introduced in CU4.2(1)_ES98
    CSCsd46384
    CSCsd46384 - NodeMgr gives error in Eventlog: DeleteFile() fails with 80070020
    Fixes introduced in CU4.2(1)_ES97
    CSCsi85034
    CSCsi85034 - Extension remapping fails for calling # with SIP Fwd'd calls
    Fixes introduced in CU4.2(1)_ES96
    Fixes introduced in CU4.2(1)_ES95
    CSCsi64012
    CSCsi64012 - FCW fails to verify SQL is installed with WS03 3SP2
    Fixes introduced in CU4.2(1)_ES94
    CSCsi86913
    CSCsi86913 - Crossbox: No configurable timeout for digits received during transfer
    Fixes introduced in CU4.2(1)_ES93
    CSCsi82851
    CSCsi82851 - Crossbox: transfer fails with Handoff Response = ##
    Fixes introduced in CU4.2(1)_ES92
    Fixes introduced in CU4.2(1)_ES91
    CSCsh94992
    CSCsh94992 - Domino NDN causes Unity crash
    Fixes introduced in CU4.2(1)_ES89
    CSCsi69607
    CSCsi69607 - MIU fails to initialize TTS on Win2003 SP2.
    Fixes introduced in CU4.2(1)_ES88
    CSCsd76986
    CSCsd76986 - Unity MTA Counter Do not Increment in Performance Monitor
    Fixes introduced in CU4.2(1)_ES87
    Fixes introduced in CU4.2(1)_ES86
    CSCsg49334
    CSCsg49334 - License Pooling does not work between Unity 4x and 5x versions.
    Fixes introduced in CU4.2(1)_ES85
    CSCsi56850
    CSCsi56850 - Crash in AvCsMgr while loading Event Log
    Fixes introduced in CU4.2(1)_ES84
    CSCsg64120
    CSCsg64120 - Unity MWI resync performance needs improvement
    Fixes introduced in CU4.2(1)_ES83
    Fixes introduced in CU4.2(1)_ES82
    CSCsd75873
    CSCsd75873 - Miu exception under load referencing MiuCall without lock
    CSCsd75912
    CSCsd75912 - AvWav errors during 144 port load
    CSCsi16038
    CSCsi16038 - Heap Corruption in UnitySipStack.dll
    CSCsi19521
    CSCsi19521 - Unity 4.2ES - Allow 144 ports
    Fixes introduced in CU4.2(1)_ES81
    CSCsi13742
    CSCsi13742 - Exception with variant holding a date
    Fixes introduced in CU4.2(1)_ES80
    CSCsi16038
    CSCsi16038 - Heap Corruption in UnitySipStack.dll
    Fixes introduced in CU4.2(1)_ES79
    CSCsi02306
    CSCsi02306 - ACN should follow the active transfer rule
    CSCsi01131
    CSCsi01131 - Unity should prevent occurrences of accidental reply-all to PDLs
    CSCsi01116
    CSCsi01116 - sub restricted from sending to PDLs can still reply-all to PDLs
    CSCsf14610
    CSCsf14610 - Reply-To-All to a large number of recipients can cause delays..
    CSCsg52066
    CSCsg52066 - Subscriber not able to toggle between Standard and Alternate greeting
    Fixes introduced in CU4.2(1)_ES78
    CSCsh35894
    CSCsh35894 - MWI doesn't work for VPT added Unity subscribers
    Fixes introduced in CU4.2(1)_ES77
    CSCsi04112

  • SQL Help for FMS needed

    Hi
    Can somebody please tell me what's wrong with this:
    declare @result as varchar(30)
    if $[$OWTR.Filler] = 'NFE-1'
    begin
      set @result = (select t1.wareHouse from WOR1 t1 inner join OWOR t2 on t1.DocEntry=t2.DocEntry
    where t2.DocNum=$[OWTR.U_SIA_ProdAusg] and t1.VisOrder=$[$23.0.1]-1 AND t1.IssueType='M')
    end
    else
    set @result = 'NFE-1'
    select @result
    Thanks
    Franz

    That was not it.
    I found it ... sometimes it seems to help to ask for help ...
    set @temp = $[$OWTR.Filler]
    changed to
    set @temp = $[OWTR.Filler]
    Thanks anyway
    Franz

  • How to embed script to document

    hi all,
    I have a temp document, when open temp document then script, which is embed in temp document will run automatically to create new document base on temp document & fill data to new document automatically?
    so for each time when user open temp document then new document will be created and the embed script on temp document will run automatically.
    thanks

    InDesign does not support document embedded scripts. So you have to handle the source like arbitrary persistent data and yourself feed that source into the scripting engine when your event handlers are triggered.

  • What To Do About Chatty Data Models?

    I'm working on a legacy app that has some DAOs that are "chatty". There are multiple methods, each with different SQL, that bring back primitive values (e.g., double, String, etc.) This DAO is written in such a way that assembling one DTO to return to the client takes 70 distinct calls, each with its own network roundtrip.
    What's the best way to go about correcting this?
    Combining those disparate SQL queries into one big JOIN is a daunting task, made complicated by some other features in the implementation.
    Is a stored procedure a possible solution? We're using Oracle 8i as the data store.
    %

    Then to use one stored proc you would need one of the
    following...
    - Stored proc that returns several result sets (which
    I have never tried with Oracle)
    - Or a combined result set that allows you to
    seperate out the different collections from a single
    row (probably with empty fields.)I was thinking the latter.
    This sort of thing is one of the cases where MS SQL
    Server is a lot easier than Oracle, you create some
    temp tables, fill them and then just select them to
    get the values. In one case I had to use a 'temp'
    table for a complicated collection process in Oracle,
    but for Oracle that means that a real table must
    exist.Oracle is the platform here. I'm not at all knowledgable re:M$ SQL. Sounds like it could be a fine solution.
    Obviously you could create several procs as well.There's some push back on that, too. Views are in vogue. But if I could write a single SELECT to create the VIEW I'd be able to rewrite the Java to bring all the database back in one go, too. It's not that easy.
    Why does it need 70 calls? Something like getting
    all of the telephone numbers they first get the list
    (1 call) then get each tn with a seperate call rather
    than using a single select in the first place? That
    sort of thing is easily reduced and there is no need
    for procs.Sometimes that's what they're doing. (JOINing on the middle tier.) There are other idioms in play, too.
    %

  • DISM /capture-image: Not enough space on disk

    Slow and sure WE8S drives me crazy. I just tried to capture as WE8S image using DISM which aborted somewhere at 20%. The logfile tells "There is not enogh space on disk", a few log messages later I see that this belongs to X:\ (the WinPE "RAM
    disk"). While monitoring the process in a additional CMD windows I could see that X:\WINDOWS\TEMP gets filled up with WINxxx.TMP files (initially there are about 530MB free on X:).
    I can specify a /ScrathDir, but I'm very interested in knowing about why CAPTURING an image requires so much space. Remember another thread from me where I have to move to an alternative system with enough RAM to setup the WE8S image. Now I have to move
    to another system again that has additional drive for that damned WINxxx.tmp files?
    I'm luckily in a situation where I have alternative HW to do that, but this might be a problem (for example, if the media to be captured if soldered to PCB). Are there other ways?

    No, that is not my problem. That was just an assumption, this is a possible situation (this may happen to you and me in some future project..).
    USB flash disk is an option, but UFDs usually have low performance. My solution was to put the CFast card into a system which has (fast) SSD, and instructed DISM to use the SSD as ScratchDir.
    All after all I got everything working as expected, but I had to switch the machine for several times. This is very unusual - espicially the work-around required to make a "simple" backup.

Maybe you are looking for

  • Samsung 52 inch 750

    I have read several posts regarding late model TVs that lose Verizon's signal.  My new TV is Samsung 52 in. 750.  The problem is sometimes when I turn the tv on I get no signal or while watching tv the signal gets lost.  Verizon wants me to use  broa

  • Archiving stops with no reason

    Hi, I'm trying to enable archiving on a XE database: 1. Change from 2 redo log groups to 3 adding one and change the size to 100M each file. 2. Enable archiving. Shutdown Mount alter database archivelog Open Shutdown Startup Until this point all went

  • Tool tips for selection list

    I want to display a tool tip for the values in a selection list in a HTML form in a JSP page. I have tried setting the title attribute on option tag but it does not work. Does anyone know how to do this? Thank you in advance

  • BCD_FIELD_OVERFLOW in passing to a FM

    Hi! How to solve a BCD_FIELD_OVERFLOW dump that is caused by passing a variable that has quan(15) length to a FM exporting parameter having quan(9) length. In my case kwmeng, brgew, and ntgew(quan15) needs to be passed to value_old_imp(quan9): Code:

  • Workflow Manager Backend service fails to start - FatalException

    Hi, I installed Workflow Manager 1.0 (with default recommended configuration) and the Cummulative Update 1 and activated the feature on SharePoint 2013. I restarted my server. The Workflow Manager Backend service cannot start. An attempt is done ever