Valid temp folder...?

Hello...anyone knows what to do ...
When I will install a program...VLC or upgrade Dropbox...
the process ends with this message:
"Please make sure your temp folder is valid"
Greetings Jakob.
Solved!
Go to Solution.

Hello Jerry...Good news...
I can now upgrade and install as admin!
Went through the proces in last link...
was not in WinRE...
(I am able to write in a dos prompt...
in the bottom of my version of an explorer: Total Commander)...
Not sure of total result...but...
I have set only one user now as administrator!
not the one confused with me and my sisters name...
it is deleted!
All is OK...only minor adjustments needed in Sketchup...
Files have been cleaned up...defragmented...optimized...
Disk Defrag announces 53 errors in registry...
That will bee my next task...
I do not know WinRE...
must bee recovery media...?
Jerry...Your advice have been tremendously helpfull and inspirering...
Even if it hadn't worked out I am gratefull for your response...
But it worked...I So thank you for now...Jakob.

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        }    }

  • BPC Detail error/reject log not created in the PrivatePub/user/temp folder

    Hi,
    We have a custom import package that imports data from a comma seperated txt file in to BPC. If all the data members in the data file are valid dimension members the package is successful and the package log file is created in the PrivatePub/user/Temp folder. But if there are any rejects the reject log is not getting created under the temp folder and moreover the package status is "Error". The package log is created but the reject log is not. The Webfolders has the full share permissions.
    The same package runs fine in our Test environment and creates the package log and reject log.
    We are on BPC 5.1 SP3.
    Is there a configuration that is missing.
    Thanks in advance.
    Swaroop

    I'm pretty sure that when you do not explicitly indicate a transformation file, a default file (import.xls I think?) is used.
    Also, there are a number of temp files & variables that must be created in the MODIFYSCRIPT variable, and certain conversion tasks that are part of the standard import process. You can see the proper syntax in the sample import pacakges.
    If you've created a new package of your own, you may be missing some key pieces. If you don't understand what all the pieces are in the sample packages (and why you don't need them), you should start by debugging with one of them, and then see what you need to add back into your package.
    I'd normally recommend to start with the sample import package, and only modify it if necessary, and as little as possible.
    Last thought - file permission... does the user running the package (not the end user logged into BPC, but the BPC data manager user, which I believe is the "USER" (not admin or sysadmin) set up during the server install) have appropriate access rights to that network share where the data file is located? Try changing it to a local path, and copy the test.txt to that location.

  • Deleting "Temp Folder" to Allow iTunes to Work But It Comes Back!

    Can you please help me?
    I am trying to install iTunes, and for some reason this time I have got the error "iTunesSetup.exe is not a valid Win32 application."(I've downloaded iTunes before and have never had this problem before.
    So basically, I have followed the trouble shooting for this error, the one where you dlete iTunesSetup.exe. and delete Temp Folder. However, when I dlete Temp, it keeps on coming back. I close any other window, try again, but same thing happens. I restart comp and come back to find it still there and the trouble shooting has not worked. Help me please!!!!!

    Alright Raver, I'm giving you my clean install instructions. Please read them over before you step through them to be sure you understand them. Remember to follow the steps VERY carefully, otherwise you could cause harm to your PC.
    1. Uninstall itunes/ipod/QT software. Delete any old installations you might have.
    2. Reboot your PC
    3. Re-download the itunes installer and QT and save this installer to your desktop
    4. Go to C:\WINDOWS\Downloaded Installations. You should see folders like {06EB3288-C5F4-4C73-8EEE-AC798668FF66}
    5. Look in each of these folders for itunes.msi and delete the folder. Be careful to only delete the folders containing itunes.msi
    6. Clean out your temp folders, Delete as much as you can in these folders except for the folders Cookies, History, Temporary Internet Files.
    a. C:\windows\temp (if one exists)
    b. C:\Documents and Settings\{username}\Local Settings\Temp
    Sometimes installers will pick up old files or won’t delete their temporary files.
    7. Go to http://www.download.com/3000-2094-881470.html and download the regcleaner. Unpack it and run it. This is a nice utility that will delete broken registry entries and create a file with them. This way if it deletes anything needed you can add it back. Note I never had to do this with using it for many years. Also it doesn't list XP but you'll be fine. I run XP on both.
    8. Empty your recycle bin. Reboot your PC.
    9. Now try to go and install everything again. I'd do QT first then follow with itunes. Remember to disable virus/firewall/privacy/web accelerators before launching the install.
    If you still can't install then I might need a install log. However I'll give you those steps if these don't work.

  • Multiple plugtmp-1 plugtmp-2 etc. in local\temp folder stay , crossdomain.xml and other files containing visited websitenames created while private browsing

    OS = Windows 7
    When I visit a site like youtube whith private browsing enabled and with the add-on named "shockwave flash" in firefox add-on list installed and activate the flashplayer by going to a video the following files are created in the folder C:\Users\MyUserName\AppData\Local\Temp\plugtmp-1
    plugin-crossdomain.xml
    plugin-strings-nl_NL-vflLqJ7vu.xlb
    The contents of plugin-crossdomain contain both the "youtube.com" adress as "s.ytimg.com" and is as follows:
    <?xml version="1.0"?>
    <!DOCTYPE cross-domain-policy SYSTEM "http://www.macromedia.com/xml/dtds/cross-domain-policy.dtd">
    -<cross-domain-policy> <allow-access-from domain="s.ytimg.com"/> <allow-access-from domain="*.youtube.com"/> </cross-domain-policy>
    The contents of the other file I will spare you cause I think those are less common when I visit other sites but I certainly don't trust the file. The crossdomain.xml I see when I visit most other flashpayer sites as well.
    I've also noticed multiple plugin-crossdomain-1.xml and onwards in numbers, I just clicked a youtube video to test, got 6 of them in my temp plus a file named "plugin-read2" (no more NL file cause I changed my country, don't know how youtube knows where I'm from, but that's another subject, don't like that either). I just noticed one with a different code:
    <?xml version="1.0"?>
    -<cross-domain-policy> <allow-access-from domain="*"/> </cross-domain-policy>
    So I guess this one comprimises my browsing history a bit less since it doesn't contain a webadress. If these files are even meant to be deposited in my local\temp folder. The bigger problem occurs when they stay there even after using private browsing, after clearing history, after clearing internet temporary files, cache, whatever you can think of. Which they do in my case, got more than 50 plugtmp-# folders in the previous mentioned local\temp folder containing all website names I visited in the last months. There are a variety of files in them, mostly ASP and XML, some just say file. I have yet to witness such a duplicate folder creation since I started checking my temp (perhaps when firefox crashes? I'd say I've had about 50 crashes in recent months).
    I started checking my temp because of the following Microsoft Security Essential warnings I received on 23-4-12:
    Exploit:Java/CVE-2010-0840.HE
    containerfile:C:\Users\Username\AppData\Local\Temp\jar_cache2196625541034777730.tmp
    file:C:\Users\Username\AppData\Local\Temp\jar_cache2196625541034777730.tmp->pong/reversi.class
    and...
    Exploit:Java/CVE-2008-5353.ZT
    containerfile:C:\Users\Noname\AppData\Local\Temp\jar_cache1028270176376464057.tmp
    file:C:\Users\Noname\AppData\Local\Temp\jar_cache1028270176376464057.tmp->Testability.class
    Microsoft Security Essentials informed me that these files were quarantained and deleted but when going to my temp file they were still there, I deleted them manually and began the great quest of finding out what the multiple gigabytes of other files and folders were doing in that temp folder and not being deleted with the usual clearing options within firefox (and IE).
    Note that I have set my adobe flasplayer settings to the most private intense I could think of while doing these tests (don't allow data storage for all websites, disable peer-to peer stuff, don't remember exactly anymore, etc.). I found it highly suspicious that i needed to change these settings online on an adobe website, is that correct? When right-clicking a video only limited privacy options are available which is why I tried the website thing.
    After the inital discovery of the java exploit (which was discovered by MSE shortly after I installed and started my first scan with Malwarebytes, which in turn made me suspicious whether I had even downloaded the right malwarebytes, but no indication in the filename if I google it). Malwarebytes found nothing, MSE found nothing after it said it removed the files, yet it didn't remove them, manually scanning these jar_cache files with both malwarevytes and MSE resulted in nothing. Just to be sure, I deleted them anyways like I said earlier. No new jar_cache files have been created, no exploits detected since then. CCleaner has cleaned most of my temp folder, I did the rest, am blocking all cookies (except for now shortly), noscript add-on has been running a while on my firefox (V 3.6.26) to block most javascripts except from sites like youtube. I've had almost the same problem using similar manual solutions a couple of months ago, and a couple of months before that (clearing all the multiple tmp folders, removing or renaming jar_cache manually, running various antmalware software, full scan not finding a thing afterwards, installing extra add-ons to increase my security, this time it's BetterPrivacy which I found through a mozilla firefox https connection, I hope, which showed me nicely how adobe flash was still storing LSO's even after setting all storage settings to 0 kb and such on the adobe website, enabling private browsing in firefox crushed those little trolls, but still plugtmp trolls are being created, help me crush them please, they confuse me when I'm looking for a real threat but I still want to use flash, IE doesn't need those folders and files, or does it store them somewhere else?).
    I'm sorry for the long story and many questions, hope it doesn't scare you away from helping me fight this. I suspect it's people wanting to belong to the hackergroup Anonymous who are doing this to my system and repeating their tricks (or the virus is still there, but I've done many antivirus scans with different programs so no need to suggest that option to me, they don't find it or I run into it after a while again, so far, have not seen jar_cache show up). Obviously, you may focus on the questions pertaining firefox and plugtmp folders, but if you can help me with any information regarding those exploits I would be extremely grateful, I've read alot but there isn't much specific information for checking where it comes from when all the anti-virus scanners don't detect anything anymore and don't block it incoming. I also have downloaded and installed process monitor but it crashes when I try to run it. The first time I tried to run it it lasted the longest, now it crashes after a few seconds, I just saw the number of events run up to almost a million and lots of cpu usage. When it crashed everything returned back to normal, or at least that's what I'm supposed to think I guess. I'll follow up on that one on their forum, but you can tell me if the program is ligit or not (it has a microsoft digital signature, or the name micosoft is used in that signature).

    update:
    I haven't upgraded my firefox yet because of a "TVU Web Player" plugin that isn't supported in the new firefox and I'm using it occasionally, couldn't find an upgrade for it. Most of my other plugins are upgraded in the green (according to mozilla websitechecker):
    Java(TM) Platform SE 6 U31 (green)
    Shockwave for Director (green - from Adobe I think)
    Shockwave Flash (green - why do I even need 2 of these adobe add-ons? can I remove one? I removed everything else i could find except the reader i think, I found AdobeARM and Adobe Acrobat several versions, very confusing with names constantly switching around)
    Java Deployment Toolkit 6.0.310.5 (green, grrr, again a second java, why do they do this stuff, to annoy people who are plagued with java and flash exploits? make it more complicating?)
    Adobe Acrobat (green, great, it's still there, well I guess this is the reader then)
    TVU Web Player for FireFox (grey - mentioned it already)
    Silverlight Plug-In (yellow - hardly use it, I think, unless it's automatic without my knowing, perhaps I watched one stream with it once, I'd like to remove it, but just in case I need it, don't remember why I didn't update, perhaps a conflict, perhaps because I don't use it, or it didn't report a threat like java and doesn't create unwantend and history compromising temp files)
    Google Update (grey - can I remove? what will i lose? don't remember installing it, and if I didn't, why didn't firefox block it?)
    Veetle TV Core (grey)
    Veetle TV Player (grey - using this for watching streams on veetle.com, probably needs the Core, deleted the broadcaster that was there earlier, never chose to install that, can't firefox regulate that when installing different components? or did i just miss that option and assumed I needed when I was installing veetle add-on?)
    Well, that's the list i get when checking on your site, when i use my own browseroptions to check add-ons I get a slightly different and longer list including a few I have already turned off (which also doesn't seem very secure to me, what's the point in using your site then for anything other than updates?), here are the differences in MY list:
    I can see 2 versions of Java(TM) Platform SE 6 U31, (thanks firefox for not being able to copy-paste this)
    one "Classic Java plug-in for Netscape and Mozilla"
    the other is "next generation plug-in for Mozilla browsers".
    I think I'll just turn off the Netscape and Mozilla one, don't trust it, why would I need 2? There I did it, no crashes, screw java :P
    There's also a Mozilla Default plugin listed there, why does firefox list it there without any further information whether I need it or not or whether it really originates from Mozilla firefox? It doesn't even show up when I use your website plugin checker, so is there no easy way by watching this list for me to determin I can skip worrying about it?
    There's also some old ones that I recently deactivated still listed like windows live photo gallery, never remember adding that one either or needing it for anything and as usual, right-clicking and "visit homepage" is greyed out, just as it is for the many java crap add-ons I encountered so far.
    Doing a quick check, the only homepage I can visit is the veetle one. The rest are greyed out. I also have several "Java Console" in my extentions tab, I deactivated all but the one with the highest number. Still no Java Console visible though, even after going to start/search "java", clicking java file and changing the settings there to "show" console instead of "hide" (can't remember exact details).
    There's some other extentions from noscript, TVU webplayer again, ADblock Plus and now also BetterPrivacy (sidenote, a default.LSO remains after cleanup correct? How do I know that one isn't doing anything nasty if it's code has been changed or is being changed? To prevent other LSO's I need to use both private browsing and change all kinds of restrictions online for adobe flashplayer, can anyone say absurd!!! if you think you're infected and want to improve your security? Sorry that rant was against Adobe, but it's really against Anonymous, no offense).

  • Firefox 15.1 storing Downloads in Temp folder despite being set to save into Downloads?

    OK so I'm running Windows 7 64 Bit and Mozilla Firefox 15.1
    Downloads is set to save to "Downloads" but, they are in fact saving to a firefox temp folder?
    checked the about:config and browser.download = C:\...\Downloads
    I read an answer on here that said "Disable Real Time AV Scanning??? are you serious? all those hackers out there and you want me to turn off my AV?
    Please can you provide a suitable answer to this query.

    If the anti-virus software is scanning the file while it is still in the temp folder and keeps an handle on it then Firefox won't be able to move the file from the temp folder to the destination folder.<br />
    Your AV software should still scan the file if you try to start it or open the file in another application if real-time scanning is disabled.<br />
    You can also try to exclude the temp folder, so the scanning will be done once Firefox moves the file to the destination folder and not during the download phase.

  • PDF files have suddenly started downloading to the temp folder instead of the download folder where they used to be-- the downloads folder is marked correctly

    all downloads are set to go to downloads file-- PDFs have quit going there and are in temp folder instead-- all other downloads are still going to the right place

    Deleting the '''mimeTypes.rdf''' will reset all download actions to the default settings.
    Type '''about:support''' in the address bar and press enter.
    Under the page logo on the left side you will see '''Application Basics.'''
    Under this find '''Profile Folder.''' To it’s right press the button
    '''Show Folder.''' This will open your file browser to the current
    Firefox profile. Now '''Close Firefox.'''
    Locate the file. Then rename or delete it. Restart Firefox.

  • Downloads going to The "Temp" Folder

    Hi! I've had this problem for a while now and now i want to fix it. I see other people have this problem too. When i download a file and open it dircetl, its saves in the Temp folder on my C drive(witch is an SSD) I don't want it there and i have not asked them to go there, I want it on my 2nd harddrive, Witch is where i got it set up to go. Is there any way to get files you open directly to go to the folder that you set? or is this impossible?
    Troubleshooting Information Included.

    Firefox immediately starts downloading the file in the background and saves the file to the temp folder and doesn't wait until you specify the name and the location (destination folder).
    If the file stays in the temp folder then it is possible that your security software is blocking the file and prevents Firefox from moving the file to the specified destination folder.
    You would have to change the TMP and TEMP environment variables to point to a location (X:\\temp) on that other drive.

  • To delete clean up software which removes file from temp folder

    when i pause a download and switch off the system and resume it after 2 or more days an error c:\Documents and settings\ ....etc couldn't save the file appears. Some one replied me in this forum that i may 've cleanup software which has deleted the file in temp folder. How to detect and delete this cleanup software if i have it ? i don't know if i've this because i haven't seen it in my program list. i'm using windows xp.
    == This happened ==
    Every time Firefox opened

    when i pause a download and switch off the system and resume it after 2 or more days an error c:\Documents and settings\ ....etc couldn't save the file appears. Some one replied me in this forum that i may 've cleanup software which has deleted the file in temp folder. How to detect and delete this cleanup software if i have it ? i don't know if i've this because i haven't seen it in my program list. i'm using windows xp.
    == This happened ==
    Every time Firefox opened

  • Safe to delete content from the Temp folder under AppData?

    Hi everyone,
    Is it safe to delete the contents from the Temp folder (C:\Windows\ServiceProfiles\LocalService\AppData\Local\Temp) in the SharePoint 2013 web front end servers?
    For some reason I see around 30 GB of temp files. Came across
    this blog post but in my case ULS logs are still being generated in the D drive. Not sure how those Temp files are being created. Application servers seem to be fine. 
    Tried - 
    changing the ULS log path from D to C and back to D drive (as per the above blog post... no luck)
    tried restarting the SP tracing service
    Any suggestions would be appreciated!
    BlueSky2010
    Please help and appreciate others by using forum features: "Propose As Answer", "Vote As Helpful" and
    "Mark As Answer"

    Hi,
    Thanks for the sharing and have a good day.
    Regards,
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Subscriber Support, contact
    [email protected] .
    Rebecca Tu
    TechNet Community Support

  • 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.

  • Temp folder was not set for RTFStringbuffer Error

    Hi,
    We are using CR XI 11.0.0.895 and CR XI JRC is been used to generate the reports in PDF and RTF format.
    While generating report of more than 1000 pages in RTF format throws the below mentioned exception
    temp folder was not set for RTFStringbuffer
    However, Generating reports in PDF format generates the report.
    Find below the environment details which would helpful for the analysis.
    CR XI 11.0.0.895
    IE 6.0
    MS-office 2003
    Windows XP SP2
    Reports JRC application deployed on Weblogic 8.1.4
    Please suggest us a solution for this problem.
    Thanks in advance.

    If you run [Process Monitor|http://technet.microsoft.com/en-us/sysinternals/bb896645.aspx], do you see any file access errors when the JRC tries creating a temp RTF file?
    I think I've recommended this before, but have you tried the newest version of the JRC?
    [https://boc.sdn.sap.com/node/19020]
    The XI Release 1 keycode will work with it.
    Sincerely,
    Ted Ueda

  • VS2013 Installation failed - The Temp folder is on a drive that is full or is inaccessible

    When I trying to install Visual Studio 2013 Premium either from .ISO or web installer, installation fails on installing Microsoft
    Visual C++ 2013 x86 Minimum Runtime - 12.0.21005 with error:
    The Temp folder is on a drive that is full or is inaccessible. Free up space on the drive or verify that you have write permission on the Temp folder.
    But there are enought free space on system drive (36GB) and current user (local admin) and administrator has full access to C:\Windows\Temp and %USERPROFILE%\AppData\Local\Temp folders. "Run as Administrator" has no effect.
    OS: Windows 8 Enterprise x64
    Part of Log file with error:
    [0F28:0408][2015-03-22T11:44:14]i338: Acquiring package: vcRuntimeMinimum_x64, payload: cab5046A8AB272BF37297BB7928664C9503, download from: bits://go.microsoft.com/fwlink/?LinkId=429684&clcid=0x409
    [13C8:0F18][2015-03-22T11:44:16]i305: Verified acquired payload: cab5046A8AB272BF37297BB7928664C9503 at path: C:\ProgramData\Package Cache\.unverified\cab5046A8AB272BF37297BB7928664C9503, moving to: C:\ProgramData\Package Cache\{A749D8E6-B613-3BE3-8F5F-045C84EBA29B}v12.0.21005\packages\vcRuntimeMinimum_amd64\cab1.cab.
    [0F28:0408][2015-03-22T11:44:16]i000: MUX:  Source confirmed
    [0F28:0408][2015-03-22T11:44:16]w343: Prompt for source of package: VCRedistD11x86, payload: VCRedistD11x86, path: D:\Soft\packages\vcRedistD11\1033\vcredist_x86.exe
    [0F28:0408][2015-03-22T11:44:16]i000: MUX:  Next Source: Web, Attempted: 1, Limit:3
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  ExecutePackageBegin PackageId: vcRuntimeMinimum_x64
    [0F28:0408][2015-03-22T11:44:16]i000: MUX:  Source retrieved: Web
    [0F28:0408][2015-03-22T11:44:16]i000: MUX:  Package:VCRedistD11x86, PayloadId:VCRedistD11x86 Url: bits://go.microsoft.com/fwlink/?LinkId=429663&clcid=0x409, Attempting count: 1
    [0F28:0408][2015-03-22T11:44:16]i000: MUX:  Existing last unconfirmed source: Web
    [0F28:0408][2015-03-22T11:44:16]i338: Acquiring package: VCRedistD11x86, payload: VCRedistD11x86, download from: bits://go.microsoft.com/fwlink/?LinkId=429663&clcid=0x409
    [13C8:0C8C][2015-03-22T11:44:16]i301: Applying execute package: vcRuntimeMinimum_x64, action: Install, path: C:\ProgramData\Package Cache\{A749D8E6-B613-3BE3-8F5F-045C84EBA29B}v12.0.21005\packages\vcRuntimeMinimum_amd64\vc_runtimeMinimum_x64.msi, arguments:
    ' MSIFASTINSTALL="7" NOVSUI="1"'
    [13C8:0C8C][2015-03-22T11:44:16]e000: Error 0x80070660: Failed to install MSI package.
    [13C8:0C8C][2015-03-22T11:44:16]e000: Error 0x80070660: Failed to execute MSI package.
    [0F28:11A4][2015-03-22T11:44:16]e000: Error 0x80070660: Failed to configure per-machine MSI package.
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Installation size in bytes for package: vcRuntimeMinimum_x64 MaxAppDrive: 0  MaxSysDrive: 8192  AppDrive: 0  SysDrive: 8192
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Return Code:0x80070660 Msi Messages:0 Result Detail:0 Restart:None
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Set Result: Return Code=-2147023264 (0x80070660), Error Message=, Result Detail=, Vital=True, Package Action=Install, Package Id=vcRuntimeMinimum_x64
    [0F28:11A4][2015-03-22T11:44:16]i319: Applied execute package: vcRuntimeMinimum_x64, result: 0x80070660, restart: None
    [0F28:11A4][2015-03-22T11:44:16]e000: Error 0x80070660: Failed to execute MSI package.
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  ExecutePackageBegin PackageId: vcRuntimeMinimum_x64
    [13C8:0C8C][2015-03-22T11:44:16]i318: Skipped rollback of package: vcRuntimeMinimum_x64, action: Uninstall, already: Absent
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Installation size in bytes for package: vcRuntimeMinimum_x64 MaxAppDrive: 0  MaxSysDrive: 0  AppDrive: 0  SysDrive: 0
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Return Code:0x0 Msi Messages:0 Result Detail:0 Restart:None
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Reset execution Result
    [0F28:11A4][2015-03-22T11:44:16]i000: MUX:  Reset Result
    [0F28:11A4][2015-03-22T11:44:16]i319: Applied rollback package: vcRuntimeMinimum_x64, result: 0x0, restart: None
    [13C8:0C8C][2015-03-22T11:44:16]i351: Removing cached package: vcRuntimeMinimum_x64, from path: C:\ProgramData\Package Cache\{A749D8E6-B613-3BE3-8F5F-045C84EBA29B}v12.0.21005\
    [0F28:162C][2015-03-22T11:44:17]e000: Error 0x80070642: UX aborted on download progress.
    [0F28:162C][2015-03-22T11:44:17]e000: Error 0x80070642: Failed to send progress from BITS job.
    [0F28:162C][2015-03-22T11:44:17]e000: Error 0x80070642: Failure while sending progress during BITS job modification.
    [0F28:0408][2015-03-22T11:44:17]e000: Error 0x80070642: Failed attempt to download URL: 'bits://go.microsoft.com/fwlink/?LinkId=429663&clcid=0x409' to: 'C:\Users\GUK_MI~1.AXM\AppData\Local\Temp\{fec93b6d-17f6-4952-96e1-2af5a525cf5d}\VCRedistD11x86'
    [0F28:0408][2015-03-22T11:44:17]i000: MUX:  Set Result: Return Code=-2147023294 (0x80070642), Error Message=, Result Detail=, Vital=False, Package Action=Download_Bits, Package Id=VCRedistD11x86
    [0F28:0408][2015-03-22T11:44:17]e000: Error 0x80070642: Failed to acquire payload from: 'bits://go.microsoft.com/fwlink/?LinkId=429663&clcid=0x409' to working path: 'C:\Users\GUK_MI~1.AXM\AppData\Local\Temp\{fec93b6d-17f6-4952-96e1-2af5a525cf5d}\VCRedistD11x86'
    [0F28:0408][2015-03-22T11:44:17]e313: Failed to acquire payload: VCRedistD11x86 to working path: C:\Users\GUK_MI~1.AXM\AppData\Local\Temp\{fec93b6d-17f6-4952-96e1-2af5a525cf5d}\VCRedistD11x86, error: 0x80070642.
    [13C8:0C8C][2015-03-22T11:44:17]i372: Session end, registration key: SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall\{fec93b6d-17f6-4952-96e1-2af5a525cf5d}, resume: ARP, restart: None, disable resume: No
    [13C8:0C8C][2015-03-22T11:44:17]i371: Updating session, registration key: SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall\{fec93b6d-17f6-4952-96e1-2af5a525cf5d}, resume: ARP, restart initiated: No, disable resume: No
    [0F28:11A4][2015-03-22T11:44:17]i000: MUX:  Apply Complete: Disk Space Used in bytes for Installation:  MaxAppDrive: 0  MaxSysDrive: 2998272  AppDrive: 0  SysDrive: 1826816
    [0F28:11A4][2015-03-22T11:44:17]i000: MUX:  Free Disk Space after install:  SystemDrive C:\ 37906563072 bytes  AppDrive C:\ 37906563072 bytes
    [0F28:11A4][2015-03-22T11:44:17]i000: MUX:  Go to Finished page.
    [0F28:11A4][2015-03-22T11:44:17]i399: Apply complete, result: 0x80070660, restart: None, ba requested restart:  No

    Hello Barry,
    Thanks for reply.
    Sorry for inaccuracy, I have 36 GB free space on my system drive, its total size is 128GB.
    Subinacl installation failed with error "Internal Error 2755. 1632", here is a part of installer logs, maybe it helps...
     ******* Product: D:\Soft\subinacl.msi
               ******* Action: INSTALL
               ******* CommandLine: **********
    MSI (s) (5C:00) [11:32:19:372]: Machine policy value 'DisableUserInstalls' is 0
    MSI (s) (5C:00) [11:32:19:387]: Note: 1: 2203 2: C:\Windows\Installer\inprogressinstallinfo.ipi 3: -2147287037 
    MSI (s) (5C:00) [11:32:19:387]: Machine policy value 'LimitSystemRestoreCheckpointing' is 0
    MSI (s) (5C:00) [11:32:19:387]: Note: 1: 1715 2: Windows Resource Kit Tools - SubInAcl.exe 
    MSI (s) (5C:00) [11:32:19:387]: Calling SRSetRestorePoint API. dwRestorePtType: 0, dwEventType: 102, llSequenceNumber: 0, szDescription: "Installed Windows Resource Kit Tools - SubInAcl.exe".
    MSI (s) (5C:00) [11:32:19:403]: The call to SRSetRestorePoint API succeeded. Returned status: 0, llSequenceNumber: 345.
    MSI (s) (5C:00) [11:32:19:403]: Note: 1: 1336 2: 3 3: C:\Windows\Installer\ 
    MSI (s) (5C:00) [11:32:19:403]: MainEngineThread is returning 1632
    MSI (s) (5C:40) [11:32:19:403]: Calling SRSetRestorePoint API. dwRestorePtType: 13, dwEventType: 103, llSequenceNumber: 345, szDescription: "".
    MSI (s) (5C:40) [11:32:19:403]: The call to SRSetRestorePoint API succeeded. Returned status: 0.
    MSI (s) (5C:40) [11:32:19:403]: User policy value 'DisableRollback' is 0
    MSI (s) (5C:40) [11:32:19:403]: Machine policy value 'DisableRollback' is 0
    MSI (s) (5C:40) [11:32:19:403]: Incrementing counter to disable shutdown. Counter after increment: 0
    MSI (s) (5C:40) [11:32:19:403]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE\Software\Microsoft\Windows\CurrentVersion\Installer\Rollback\Scripts 3: 2 
    MSI (s) (5C:40) [11:32:19:403]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE\Software\Microsoft\Windows\CurrentVersion\Installer\Rollback\Scripts 3: 2 
    MSI (s) (5C:40) [11:32:19:403]: Decrementing counter to disable shutdown. If counter >= 0, shutdown will be denied.  Counter after decrement: -1
    MSI (c) (B4:BC) [11:32:19:403]: Note: 1: 2755 2: 1632 3: D:\Soft\subinacl.msi 
    DEBUG: Error 2755:  Server returned unexpected error 1632 attempting to install package D:\Soft\subinacl.msi.
    Internal Error 2755. 1632, D:\Soft\subinacl.msi
    MSI (c) (B4:BC) [11:32:21:648]: Product: Windows Resource Kit Tools - SubInAcl.exe -- Internal Error 2755. 1632, D:\Soft\subinacl.msi

  • Outlook 2013 XLS Attachments cannot be opened in Excel 2013 due to Trusted Center restrictions with Outlook Secure Temp Folder

    Dear all,
    I'm having some serious issues with Office 2013's Trusted Center settings. In Outlook 2013 XLS Attachments cannot be directly opened in Excel 2013 with double-clicking due to Trusted Center restrictions for Excel 2013 regarding Outlook's Secure Temp Folder.
    I tried to adjust the corresponding Office 2013 Administrative Template within my GPOs but to no prevail.
    I did find out that Outlook 2013 places an attachment within the Outlook Secure Temp Folder located at "C:\Users\a.ollischer\AppData\Local\Microsoft\Windows\Temporary Internet Files\Content.Outlook\PPIU10RW” before passing it to Excel 2013 in order to
    open it. It fails due to not trusting this location though I added the corresponding path to my Trusted Locations.
    What can I do in order to make this work without having to tediously save each and every attachment to "My Documents" prior to opening it? Any help would be greatly appreciated.
    Alex
    Alexander Ollischer Diplom-Wirtschaftsinformatiker (FH) Citrix & Microsoft Certified Engineer (CCEA, CCEE, MCSA, MCSE, MCDBA, MCTS) Afontis IT+Services GmbH Baierbrunner Straße 15 81379 München Deutschland Telefon (089) 74 34 55-0 Fax (089) 74 34 55-55
    mailto:[email protected] http://www.afontis.de http://www.itganzeinfach.de Amtsgericht München, HRB 109 005 Geschäftsführer: Thomas Klimmer

    Hi Maurice 7785,
    Deal and customize attachment security behavior to access such kind of blocked file format. Usually, Outlook does not allow users to open such unsafe type of attachments. It means they are blocked them by default, so you need to unblock such items using REG
    values.
    Take more help from the similar thread:
    http://social.technet.microsoft.com/Forums/en-US/53563c4b-d27f-4866-a5a8-95eb1ad1a3e6/hide-attachements?forum=outlook
    Note: Improve community discussions by marking the answers helpful otherwise respond back for further help.
    Thanks
    Clark Kent

  • Function module to get the file path in the system for TEMP folder

    Hi All,
    Is there any function module that I can use to get the file path in the system for TEMP folder.
    I mean, i am supposed to give only TEMP as the input for that function module and I need to get the path of that in the system as the output.
    I am unsing 4.0 version.
    Please advice.
    Regards
    Ramesh

    In Higher versions, we can use the below code:
    call method CL_GUI_FRONTEND_SERVICES=>ENVIRONMENT_GET_VARIABLE
        exporting
          VARIABLE   = 'TEMP'
        importing
          VALUE      = LV_TMP
        exceptions
          CNTL_ERROR = 1
          others     = 2.
      if SY-SUBRC <> 0.
        message id SY-MSGID type SY-MSGTY number SY-MSGNO
        with SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
      endif.
      call method CL_GUI_CFW=>FLUSH
        exceptions
          CNTL_SYSTEM_ERROR = 1
          CNTL_ERROR        = 2
          others            = 3.
      if SY-SUBRC <> 0.
    Error handling
      endif.
      concatenate lv_tmp '\' into folder_path.
    But need to know in the lower versions like 3.1h and 4.0,

Maybe you are looking for

  • [SOLVED] ATI HD5650M + radeon +opengl=crash

    Hi to everyone, as the title says i'm having some strange problems with my ATI HD 5650M using the radeon open source drivers. The problem arises randomly when i try to use the opengl hardware acceleration and also when using vdapau. The screen sundde

  • Certain websites are not resonsive on my Macbook pro!

    So I have a late 2008 Macbook Pro. And I'm almost positive that this is an issue with the machine and not the internet. But whenever I go to certain websites (Pandora and You Tube) none of the navigational buttons are responsive! I try choosing other

  • Downloading windows media player help!

    A lot of movies I try to watch on the web require WMP. I went to Microsofts page and downloaded the OSX version. It went straight to my desktop(looks like this: windows media.sitx) When I click on it, it give me an error saying ERROR OPENING MOVING.

  • System-Wide Formatting not applied to Dashboard Column Prompt in 11g

    In OBIEE 11g, I have a dashboard column prompt with a date column. I use this column in the analysis and have made the column properties (formatting) a system-wide default for that column. When I use the column in a dashboard column prompt, it does n

  • Enhacement Territory management with field Sales Office

    Hi, If i want to assign attribute for "sales office" to territory management. Which field and data element I need to use for modifiy table "CRMM_TERRATRIB". Do I need a "BAdI: Implement Business Logic for Additional Attributes"? Thanks in advance. Ly