Photoshop sometimes freezes after on close ('Cls ') event script

Hi!
We are working on integrating Photoshop with a content management system. For this we are using a synchronisation file. The cms writes the filepath of pictures to be edited to the sync file. Photoshop writes a modified flag to the sync file and/or a closed flag after work is done. This is implemented by an on save ('save') and an on close ('Cls ') event script.
The scripts are doing fine and the whole system is working. Now our problem: Sometimes (every 50 or 100 pictures) Photshop hangs up after closing a picture.
As far as we can conclude from the sync file and log file the close event script did complete its work without problem in such a case. But after that Photoshop freezes with doing 50% CPU load.
Has anyone an idea what we could be doing wrong? May it have to do with the file access of our scripts (sync file and log file)? Is there any common mistake with scripting that results in the described behaviour? Is this even a problem of our scripts?
For everyone interested I attached the scripts copied together to a single text file.
Thanks for your help,
  Eric

Beolw the complete source code. Attached file in my first posting seems not to be working ("QUEUED"?).
// The only script to be called by MRS when starting to edit a photo
// in Photoshop. The image file itself is not to be passed as
// parameter, it is just written to the sync file.
// (see concept document.)
* @@@BUILDINFO@@@ MRS_start.jsx 1.0.0.1
#target photoshop
//@include "MRS_settings.jsx"
//@include "MRS_eventsinit.jsx"
//@include "MRS_open.jsx"
//@include "MRS_logging.jsx"
// on localized builds we pull the $$$/Strings from a .dat file, see documentation for more details
$.localize = false;
try {
    // Install the event scripts in Photoshop
    InitializeEvents();
    // Load the selected image files
    CheckOpenFiles();
catch( e ) {
    // always wrap your script with try/catch blocks so you don't stop production
    // remove comments below to see error for debugging
    Log(e);
    alert("Fehler in der MRS Anbindung: " + e);
=======================================================================================================
//  Install all event scripts required by the MRS Photoshop integration
* @@@BUILDINFO@@@ MRS_eventsinit.jsx 1.0.0.1
//@include "MRS_settings.jsx"
// Install all event scripts required by the MRS Photoshop integration
function InitializeEvents(){
    //Check the script files.
    var onSave = new File(MRS_SCRIPTONSAVE);
    if (! onSave.exists) {
        Log("Script file not found: " + MRS_SCRIPTONSAVE);
        alert("MRS Anbindung fehlerhaft!");       
        return false;
    var onClose = new File(MRS_SCRIPTONCLOSE);
    if (! onClose.exists) {
        Log("Script file not found: " + MRS_SCRIPTONCLOSE);
        alert("MRS Anbindung fehlerhaft!");       
        return false;
    app.notifiersEnabled = true;
    //Install the script.
    installNotifier (onSave, "save");
    installNotifier (onClose, "Cls ");
    return true;
// Install an event script
function installNotifier(scriptFile, eventId) {
    if(findNotifier(scriptFile, eventId) != null) {
        Log("Script already installed: " + scriptFile.fullName);
    } else {
        app.notifiers.add(eventId, scriptFile);
        Log("New script file installed: " + scriptFile.fullName);
// Checks if an event script is already installed
function findNotifier(scriptFile, eventId) {
    for(i=0; i<app.notifiers.length; i++) {
        var installedNotifier = app.notifiers[i];
        if (installedNotifier.eventFile.fullName.toLowerCase() == scriptFile.fullName.toLowerCase()
            && installedNotifier.event.toLowerCase() == eventId.toLowerCase()) {
                return installedNotifier;
    return null;
=======================================================================================================
//@include "MRS_settings.jsx"
* @@@BUILDINFO@@@ MRS_logging.jsx 1.0.0.1
// Class Logger
function Log(text) {
    var logfile = new File (MRS_LOGFILE);
    logfile.open('a');   
    try {
        var now = new Date();
        logfile.writeln(now.toLocaleString() + " | " + text);
    } finally {
        logfile.close();   
=======================================================================================================
* @@@BUILDINFO@@@ MRS_settings.jsx 1.0.0.1
MRS_PICTUREPATH = '/D/Projekte/npi/project/dpa.MRS.WinUI/bin/Debug/Photoshop/pictures/';
MRS_SCRIPTPATH = '/D/Projekte/npi/project/dpa.MRS.WinUI/bin/Debug/Photoshop/ps-script/';
MRS_SYNCFILE ='/D/Projekte/npi/project/dpa.MRS.WinUI/bin/Debug/Photoshop/PSIntergation.txt/';
MRS_SCRIPTONSAVE = MRS_SCRIPTPATH + 'MRS_onsave.jsx';
MRS_SCRIPTONCLOSE = MRS_SCRIPTPATH + 'MRS_onclose.jsx';
MRS_LOGFILE = MRS_PICTUREPATH + 'PSIntegration.log';
=======================================================================================================
// Event script for "save" in Photoshop.
// Marks the saved file in the sync file as "M" (modified)
* @@@BUILDINFO@@@ MRS_onsave.jsx 1.0.0.1
var begDesc = "$$$/JavaScripts/MRS_onsave/Description=Benachrichtigt MRS wenn das Bild gespeichert wurde." // endDesc
var begName = "$$$/JavaScripts/MRS_onsave/MenuName=MRS OnSave" // endName
// on localized builds we pull the $$$/Strings from a .dat file, see documentation for more details
$.localize = false;
//@include "MRS_settings.jsx"
//@include "MRS_syncfile.jsx"
//@include "MRS_logging.jsx"
Log("OnSave triggered.");
try {
    var savedFile = GetDataFromDocument (app.activeDocument);
    var pssyncer = new PSSyncer();
    var photo = pssyncer.GetFileInfo(savedFile.fileName);
    if (photo != null) {
        photo.SetModified();
        pssyncer.Flush();
}  catch( e ) {
    Log(e);
    alert("Fehler in der MRS Anbindung: " + e);
// Extracts the file name from Photoshop Document class.
function GetDataFromDocument( inDocument ) {
    var data = new Object();
    var fullPathStr = inDocument.fullName.toString();
    var lastDot = fullPathStr.lastIndexOf( "." );
    var lastSlash = fullPathStr.lastIndexOf( "/" );
    data.extension = fullPathStr.substr( lastDot + 1, fullPathStr.length );
    data.folder = fullPathStr.substr( 0, lastSlash );
    data.fileName = fullPathStr.substr( lastSlash+1, fullPathStr.length );
    return data;
=======================================================================================================
// Event script for "close" in Photoshop.
// Marks the saved file in the sync file as "M" (modified)
* @@@BUILDINFO@@@ MRS_onclose.jsx 1.0.0.1
// on localized builds we pull the $$$/Strings from a .dat file, see documentation for more details
$.localize = false;
//@include "MRS_settings.jsx"
//@include "MRS_syncfile.jsx"
//@include "MRS_logging.jsx"
//@include "MRS_tools.jsx"
Log("OnClose triggered.");
try {
    var saved = SavedWhileClosing(arguments);
    var pssyncer = new PSSyncer();   
    for(var i=0; i<pssyncer.GetFileInfoList().length; i++) {
        var photo = pssyncer.GetFileInfoList()[i];
        if(photo.WorkInProgress() && !IsDocumentOpened(photo.GetFileName())) {
            if (saved) {
                photo.SetModified();
            photo.SetClosed();
    pssyncer.Flush();
}  catch( e ) {
    Log(e);
    alert("Fehler in der MRS Anbindung: " + e);
// Checks if picture has been saved while closing it. (yes/no dialog on close)
function SavedWhileClosing(myArguments) {
    var usingKeyCopy = false;
    var actionDescripto = null;
    var actionDescriptor = myArguments[0];
    if ( actionDescriptor != null && "ActionDescriptor" == actionDescriptor.typename ) {
        if (actionDescriptor.hasKey(stringIDToTypeID("saving"))) {
            return actionDescriptor.getEnumerationValue(stringIDToTypeID("saving")) == stringIDToTypeID("yes");
    return false;
    var actionDescriptor = myArguments[0];
    var s = "";
    if ( actionDescriptor != null ) {
        if ( "ActionDescriptor" == actionDescriptor.typename ) {
            alert(actionDescriptor.count);
            for(i=0; i<actionDescriptor.count; i++) {
                s += actionDescriptor.getKey(i) + " | ";
                s += typeIDToStringID(actionDescriptor.getKey(i)) + " | ";
                s += actionDescriptor.getType(actionDescriptor.getKey(i))+ "\r\n";
    alert(s);
    //alert("1: " + actionDescriptor.getObjectValue(stringIDToTypeID("as")));
    //alert("2: " + actionDescriptor.getObjectValue(stringIDToTypeID("in")));
    //alert("3: " + actionDescriptor.getEnumerationType(stringIDToTypeID("saving")));
    alert("3-a: " + typeIDToStringID(actionDescriptor.getEnumerationType(stringIDToTypeID("saving"))));
    alert("3-b: " + typeIDToStringID(actionDescriptor.getEnumerationValue(stringIDToTypeID("saving"))));
=======================================================================================================
// Script used to open the files selected in MRS and written to
// the sync file.
@@@BUILDINFO@@@ MRS_open.jsx 1.0.0.1
//@include "MRS_settings.jsx"
//@include "MRS_syncfile.jsx"
//@include "MRS_tools.jsx"
// Opens all image files marked in the sync file as "S" (start work).
function CheckOpenFiles(){
    var pssyncer = new PSSyncer();
    for(var i=0; i<pssyncer.GetFileInfoList().length; i++) {
        var syncfile = pssyncer.GetFileInfoList()[i];
        if (syncfile.StartWork()) {
            //open the image file if in state "S" (start work)
            OpenFile(syncfile.GetFileName());
            //switch state to "W" (work in progress)
            syncfile.SetWorkInProgress();
            pssyncer.Flush();
        } else if (syncfile.WorkInProgress()) {
            if (!IsDocumentOpened(syncfile.GetFileName())) {
                //File was marked as "W" (work in progress).
                //-> Possibly Photoshop crashed. So just re-open the file and
                //don't chnge state.
                OpenFile(syncfile.GetFileName());
=======================================================================================================
// Some tool functions...
* @@@BUILDINFO@@@ MRS_tools.jsx 1.0.0.1
//@include "MRS_settings.jsx"
// Checks if the document is currently opened in Photoshop.
function IsDocumentOpened(fileName) {
    var fullFileName = MRS_PICTUREPATH + fileName;
    fullFileName = fullFileName.toLowerCase();
    for (i = 0; i < app.documents.length; i++) {
        if (app.documents[i].fullName.fullName.toLowerCase() == fullFileName) {
            return true;
    return false;
// Opens an image file in Photoshop
function OpenFile(fileName) {
    var syncfile = new File(MRS_PICTUREPATH + fileName);
    if (syncfile.exists) {
        app.open(syncfile);
=======================================================================================================
=======================================================================================================

Similar Messages

  • After updating to ios 5, my calendar sometimes freezes when entering a new event. I have tried syncing but it doesn't fix the problem. Are there any bug fixes for this? Any ideas would be great thanks, I don't really want to have to reset everything!

    After updating to ios 5, my calendar sometimes freezes when entering a new event. I have tried syncing but it doesn't fix the problem. Are there any bug fixes for this? Any ideas would be great thanks, I don't really want to have to reset everything!

    Try to reset the iPod by  pressing the home and sleep button for about 10sec, until the Apple logo comes back again. You will not lose data doing a reset, but it can clear some glitches after installing new software or apps.

  • Photoshop CC freezing after a minute or so... HELP!

    Hi,
    Im using a retina macbook pro 13inch w/ the latest version of photoshop cc.
    i've been using cc for a while now and its been fine, until late last week, I was pretty sure I applied an update, and its since been freezing after about a minute or so, then i get the spinning colour wheel of death and nothing happens. I have an incredibly urgent dealine to meet and am working remotely so I despreately need to get this solved.
    Here's what ive tried to solve the issue but to no avail...
    • logged out of creative cloud and logged back in
    • uninstalled photoshop cc and reinstaled again
    • restarted my machine
    • removed any third party plugins and scripts
    and still the same problem happens.
    PLEASE HELP!! - Many thanks

    turns out its a corrupt font thats been doing this:
    http://forums.adobe.com/message/5952089#5952089

  • My iMAC sometimes freezes after installing Mavericks.

    My iMAC sometimes freezes since installing OSX Mavericks.   I have to RESTART to get computer to respond to keyboard and trackpad. Anyone experiencing similar problems?
    Thanks in advance for your help.

    You have not provided ANY useful information, please carefully read Help us to help you on these forums and then repost. Please do not leave out details.

  • Photoshop CS5 freeze after load (Windows XP)

    I've been using Photoshop CS5 for about two months and have been having issues recently.  After the application loads, it will freeze when you attempt to work on a file.  For instance, I have a multi-layed PSD web layout that is only 2mbs in size.  I'll load it from either the desktop or from the recent files list.  I can usually start doing something (like start moving an layer or start editing text) but then the application freezes.  If I open a file and do nothing and let the program sit, it eventually closes up and rarely throws an error.  The Windows application event viewer gives me the following errors when it crashes:
    Hanging application Photoshop.exe, version 12.1.0.0, hang module hungapp, version 0.0.0.0, hang address 0x00000000.
    I also found this error, which I imagine will be much more helpful:
    Faulting application photoshop.exe, version 12.1.0.0, faulting module adobeswfl.dll, version 2.0.0.11360, fault address 0x002d346c.
    I've reinstalled Creative Suite, and each time it was properly updated.
    Here is Photoshop's generated system information:
    Adobe Photoshop Version: 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch]) x32
    Operating System: Windows XP 32-bit
    Version: 5.1 Service Pack 3
    System architecture: Intel CPU Family:15, Model:4, Stepping:9 with MMX, SSE Integer, SSE FP, SSE2, SSE3
    Physical processor count: 2
    Processor speed: 3192 MHz
    Built-in memory: 2039 MB
    Free memory: 1012 MB
    Memory available to Photoshop: 1570 MB
    Memory used by Photoshop: 69 %
    Image tile size: 128K
    Image cache levels: 2
    Display: 1
    Display Bounds:=  top: 0, left: 0, bottom: 900, right: 1600
    Video Card Number: 1
    Video Card: Intel(R) 82915G/GV/910GL Express Chipset Family
    Driver Version:
    Driver Date:
    Video Card Driver: ialmrnt5.dll
    Video Mode: 1600 x 900 x 4294967296 colors
    Video Card Caption: Intel(R) 82915G/GV/910GL Express Chipset Family
    Video Card Memory: 128 MB
    Serial number: 95478163532312296397
    Application folder: C:\Program Files\Adobe\Adobe Photoshop CS5.1\
    Temporary file path: C:\DOCUME~1\kevinm\LOCALS~1\Temp\
    Photoshop scratch has async I/O enabled
    Scratch volume(s):
      C:\, 74.5G, 38.7G free
    Primary Plug-ins folder: C:\Program Files\Adobe\Adobe Photoshop CS5.1\Plug-ins\
    Additional Plug-ins folder: not set
    Installed components:
       A3DLIBS.dll   A3DLIB Dynamic Link Library   9.2.0.112  
       ACE.dll   ACE 2010/12/13-23:37:10   64.449933   64.449933
       adbeape.dll   Adobe APE 2011/01/17-12:03:36   64.452786   64.452786
       AdobeLinguistic.dll   Adobe Linguisitc Library   5.0.0  
       AdobeOwl.dll   Adobe Owl 2010/06/03-13:43:23   3.0.93   61.433187
       AdobeOwlCanvas.dll   Adobe Owl Canvas   3.0.68   61.2954
       AdobePDFL.dll   PDFL 2010/12/13-23:37:10   64.341419   64.341419
       AdobePIP.dll   Adobe Product Improvement Program   5.5.0.1265  
       AdobeXMP.dll   Adobe XMP Core   5.0   64.140949
       AdobeXMPFiles.dll   Adobe XMP Files   5.0   64.140949
       AdobeXMPScript.dll   Adobe XMP Script   5.0   64.140949
       adobe_caps.dll   Adobe CAPS   4,0,42,0  
       adobe_OOBE_Launcher.dll   Adobe OOBE Launcher   2.0.0.36 (BuildVersion: 2.0; BuildDate: Mon Jan 24 2011 21:49:00)   1.000000
       AFlame.dll   AFlame 2011/01/10-23:33:35   64.444140   64.444140
       AFlamingo.dll   AFlamingo 2011/01/10-23:33:35   64.436825   64.436825
       AGM.dll   AGM 2010/12/13-23:37:10   64.449933   64.449933
       ahclient.dll    AdobeHelp Dynamic Link Library   1,6,0,20  
       aif_core.dll   AIF   2.0   53.422628
       aif_ogl.dll   AIF   2.0   53.422628
       amtlib.dll   AMTLib   4.0.0.21 (BuildVersion: 4.0; BuildDate: Mon Jan 24 2011 21:49:00)   1.000000
       amtservices.dll   AMTServices   4.0.0.21 (BuildVersion: 4.0; BuildDate: Mon Jan 24 2011 21:49:00)   1.000000
       ARE.dll   ARE 2010/12/13-23:37:10   64.449933   64.449933
       asneu.dll    AsnEndUser Dynamic Link Library   1, 7, 0, 1  
       AXE8SharedExpat.dll   AXE8SharedExpat 2011/01/10-23:33:35   64.436825   64.436825
       AXEDOMCore.dll   AXEDOMCore 2011/01/10-23:33:35   64.436825   64.436825
       Bib.dll   BIB 2010/12/13-23:37:10   64.449933   64.449933
       BIBUtils.dll   BIBUtils 2010/12/13-23:37:10   64.449933   64.449933
       boost_threads.dll   DVA Product   5.0.0  
       cg.dll   NVIDIA Cg Runtime   2.0.0015  
       cgGL.dll   NVIDIA Cg Runtime   2.0.0015  
       CoolType.dll   CoolType 2010/12/13-23:37:10   64.449933   64.449933
       data_flow.dll   AIF   2.0   53.422628
       dvaadameve.dll   DVA Product   5.0.0  
       dvacore.dll   DVA Product   5.0.0  
       dvaui.dll   DVA Product   5.0.0  
       ExtendScript.dll   ExtendScript 2011/01/17-17:14:10   61.452840   61.452840
       FileInfo.dll   Adobe XMP FileInfo   5.0   64.140949
       icucnv36.dll   International Components for Unicode 2009/06/17-13:21:03    Build gtlib_main.9896  
       icudt36.dll   International Components for Unicode 2009/06/17-13:21:03    Build gtlib_main.9896  
       image_flow.dll   AIF   2.0   53.422628
       image_runtime.dll   AIF   2.0   53.422628
       JP2KLib.dll   JP2KLib 2010/12/13-23:37:10   64.181312   64.181312
       libeay32.dll   The OpenSSL Toolkit   0.9.8g  
       libifcoremd.dll   Intel(r) Visual Fortran Compiler   10.0 (Update A)  
       libmmd.dll   Intel(r) C Compiler, Intel(r) C++ Compiler, Intel(r) Fortran Compiler   10.0  
       LogSession.dll   LogSession   2.1.2.1263  
       MPS.dll   MPS 2010/12/13-23:37:10   64.450375   64.450375
       msvcm80.dll   Microsoft® Visual Studio® 2005   8.00.50727.4053  
       msvcm90.dll   Microsoft® Visual Studio® 2008   9.00.30729.4137  
       msvcp71.dll   Microsoft® Visual Studio .NET   7.10.3077.0  
       msvcp80.dll   Microsoft® Visual Studio® 2005   8.00.50727.4053  
       msvcp90.dll   Microsoft® Visual Studio® 2008   9.00.30729.4137  
       msvcr71.dll   Microsoft® Visual Studio .NET   7.10.3052.4  
       msvcr80.dll   Microsoft® Visual Studio® 2005   8.00.50727.4053  
       msvcr90.dll   Microsoft® Visual Studio® 2008   9.00.30729.4137  
       pdfsettings.dll   Adobe PDFSettings   1.04  
       Photoshop.dll   Adobe Photoshop CS5.1   CS5.1  
       Plugin.dll   Adobe Photoshop CS5   CS5  
       PlugPlug.dll   Adobe(R) CSXS PlugPlug Standard Dll (32 bit)   2.5.0.232  
       PSArt.dll   Adobe Photoshop CS5.1   CS5.1  
       PSViews.dll   Adobe Photoshop CS5.1   CS5.1  
       SCCore.dll   ScCore 2011/01/17-17:14:10   61.452840   61.452840
       shfolder.dll   Microsoft(R) Windows (R) 2000 Operating System   5.50.4027.300  
       ssleay32.dll   The OpenSSL Toolkit   0.9.8g  
       tbb.dll   Threading Building Blocks   2, 1, 2009, 0201  
       TfFontMgr.dll   FontMgr   9.3.0.113  
       TfKernel.dll   Kernel   9.3.0.113  
       TFKGEOM.dll   Kernel Geom   9.3.0.113  
       TFUGEOM.dll   Adobe, UGeom©   9.3.0.113  
       updaternotifications.dll   Adobe Updater Notifications Library   2.0.0.15 (BuildVersion: 1.0; BuildDate: BUILDDATETIME)   2.0.0.15
       WRServices.dll   WRServices Thursday January 21 2010 12:13:3   Build 0.11423   0.11423
       wu3d.dll   U3D Writer   9.3.0.113 
    Installed plug-ins:
       Accented Edges 12.0
       ADM 3.11x01
       Angled Strokes 12.0
       Average 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Bas Relief 12.0
       BMP 12.0.2
       Camera Raw 6.4.1
       Chalk & Charcoal 12.0
       Charcoal 12.0
       Chrome 12.0
       Cineon 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Clouds 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Color Halftone 12.0.2
       Colored Pencil 12.0
       CompuServe GIF 12.0.2
       Conté Crayon 12.0
       Craquelure 12.0
       Crop and Straighten Photos 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Crop and Straighten Photos Filter 12.0.2
       Crosshatch 12.0
       Crystallize 12.0.2
       Cutout 12.0
       Dark Strokes 12.0
       De-Interlace 12.0.2
       Difference Clouds 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Diffuse Glow 12.0
       Displace 12.0.2
       Dry Brush 12.0
       Eazel Acquire 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Embed Watermark 4.0
       Extrude 12.0.2
       FastCore Routines 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Fibers 12.0.2
       Film Grain 12.0
       Filter Gallery 12.0
       Fresco 12.0
       Glass 12.0
       Glowing Edges 12.0
       Grain 12.0
       Graphic Pen 12.0
       Halftone Pattern 12.0
       HDRMergeUI 12.0
       IFF Format 12.0.2
       Ink Outlines 12.0
       JPEG 2000 2.0
       Lens Blur 12.0
       Lens Correction 12.0.2
       Lens Flare 12.0.2
       Lighting Effects 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Liquify 12.0.1
       Matlab Operation 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Measurement Core 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Mezzotint 12.0.2
       MMXCore Routines 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Mosaic Tiles 12.0
       Multiprocessor Support 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Neon Glow 12.0
       Note Paper 12.0
       NTSC Colors 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Ocean Ripple 12.0
       OpenEXR 12.0.2
       Paint Daubs 12.0
       Palette Knife 12.0
       Patchwork 12.0
       Paths to Illustrator 12.0.2
       PCX 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Photocopy 12.0
       Picture Package Filter 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Pinch 12.0.2
       Pixar 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Plaster 12.0
       Plastic Wrap 12.0
       PNG 12.0.2
       Pointillize 12.0.2
       Polar Coordinates 12.0.2
       Portable Bit Map 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Poster Edges 12.0
       Radial Blur 12.0.2
       Radiance 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Read Watermark 4.0
       Reticulation 12.0
       Ripple 12.0.2
       Rough Pastels 12.0
       Save for Web & Devices 12.0
       ScriptingSupport 12.1
       Send Video Preview to Device 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Shear 12.0.2
       Smart Blur 12.0.2
       Smudge Stick 12.0
       Solarize 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Spatter 12.0
       Spherize 12.0.2
       Sponge 12.0
       Sprayed Strokes 12.0
       Stained Glass 12.0
       Stamp 12.0
       Sumi-e 12.0
       Targa 12.0.2
       Texturizer 12.0
       Tiles 12.0.2
       Torn Edges 12.0
       Twirl 12.0.2
       Underpainting 12.0
       Vanishing Point 12.0
       Variations 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Video Preview 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Water Paper 12.0
       Watercolor 12.0
       Wave 12.0.2
       WIA Support 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       Wind 12.0.2
       Wireless Bitmap 12.1 (12.1x20110328 [20110328.r.145 2011/03/28:10:30:00 cutoff; r branch])
       ZigZag 12.0.2
    Plug-ins that failed to load: NONE
    Flash:
       Mini Bridge
       Flash
       Access CS Live
       Flash
       Kuler
       CS Review
    Installed TWAIN devices: NONE

    I've gone ahead and done that and I still get the same results.  I also moved things out of the Application Data folder one by one to test those files as well.  A couple of times I could actually use Photoshop, but when I'd quit, it would stop working when I re-opened it.  I checked the Windows Application Event viewer again and found this:
    Faulting application photoshop.exe, version 12.1.0.0, faulting module ole32.dll, version 5.1.2600.6010, fault address 0x0004b104.
    I'd like to clarify that I am by no means a Windows user, and that I am only running Photoshop on XP for work, so bear with me on that.
    Thanks

  • Adobe Indesign and Photoshop CS3 Freezing after trying to save file

    Hi
    I was using both Indesign and Photoshop yesterday with no trouble. Out the blue whenever I tried to either save a file or generally use any of the functionality within the File menu the dialogue box quickly appears then fades and the software freezes. Its doing this in both Indesign and Photoshop.
    The IT department logged on using their administrator info and both packages appear to work fine it just seems to be once I log in using my user account.  We have tried reseting preferences etc.
    Any help or advice would be welcomed.
    Thanks

    You have a stored invalid folder reference and since it can't be restored, the apsp crash on file dialogs. Have your IT department sift through the registry and clean out the relevant MRU sections.
    Mylenium

  • Finder sometimes freezes after graphics-intensive programs

    I've just updated to 10.4.8 from 10.4.7 and found a new behaviour:
    Sometimes, after running graphics-intensive programs (which I was running under 10.4.7 before), I'm seeing that Finder stops responding to the mouse clicks or keyboard. In fact, the mouse cursor moves, but can't click or drag anything.
    For example: I've seen this happen after running LiveQuartz and CoreImage Funhouse in succession. This has happened with the same user or after running gfx programs as one user and switching to a different users.
    The only solution is forcing a shutdown by holding the power key.
    I have tried:
    1/ Cleaning caches
    2/ Rebuilding kext caches
    3/ All normal maintenance tasks (periodic command)
    4/ Redoing all of the dynamic linking, etc.
    5/ Running as different users.
    6/ Resetting the PRAM.
    No luck.
    I have seen an issue like this with ATI graphics when the GL Shader portion of the ATI drivers, but have never seen it on a Mac. It feels like a gfx driver stability issue. No messages in console or system logs that would give any clues.
    Any thoughts or suggestions are appreciated.
    Cheers,
    Matthew
    PowerBook G4 15" 1.25 GHz   Mac OS X (10.4.8)   2GB mem

    Forgive me for not knowing already, but does that list include repairing disk permossions? My computer, after installation, did this and many worse things before repairing permission.s Also when repairing permissions it seems to not repair all of them unless you boot off of your install disk.
    ^^You probably already know that. Doesn't hurt to find out though
    Quote:
    3/ All normal maintenance tasks (periodic command)

  • My photoshop keeps freezing after a while after use and it just stops working to where even if i'm working on one document the exe running gets up to around 505mbs does anyone know why

    Does anyone know why this is happening> my mb's get up to 500 just when i'm working on one photo and Photoshop stops working randomly

    Please read these (in particular the section titled "Supply pertinent information for quicker answers" because I for one am not clear on what’s happening exactly):
    http://forums.adobe.com/docs/DOC-2325
    http://blogs.adobe.com/crawlspace/2012/07/photoshop-basic-troubleshooting-steps-to-fix-mos t-issues.html

  • Macbook Pro sometimes freezes after opening iTunes.

    I have had my Macbook Pro for a little over a year now and everything has been going great, except for every once in a while when I open iTunes, my Macbook Pro will freeze. I am then unable to do anything (use the trackpad, force quit, etc.). I have to wait at least 15 minutes before it settles down and I can use my MBP again. Here is the thing, while it is frozen it will unfreeze every 3-5 minutes for about a second and then freeze again. It is quite annoying! Please help! I do have the Bestbuy Accidental Damage and Protection Plan so if worse comes to worse I can just take it there. The only thing is, they would need to ship it away for 2-3 weeks and I am in the middle of a semester in Nursing School so I really need my MBP right now. Any help is greatly appreciated! Thanks!

    Here are a couple of things to try:
    PRAM reset: power off the machine.
    Then power up pressing option, command, P,R before the start up chime, hold the those keys down until the gear stops spinning.
    If this doesn't help try a smc reset:
    power off the mac, hold left side side shift key, control. option, poower up hold the keys till the gear stops.
    If this doesn't work post back and we can try some other things.
    All the best

  • VB Application freeze after teamviewer close

    Recently I prepare a PC for running a customized application. I control that PC through Teamviewer and start the application. Everything is fine at this moment. However, When I stop Teamviewer, I found the UI is
    completely freeze . The application needs to restart in order to resume, but the UI freeze again when I stop and restart Teamviewer control again.
    I can confirm that all background thread Is still running and only UI Thread
    freeze (or the main thread freeze because timer also stop) . Later, I install visual basic 2010 to thay PC and start application by using debug mode, but I can't any exception or warning form this. The program is still working fine ever I stop Teamviewer
    control. The freezing issue is only happen when the application is started by using release and purchase mode.
    Then, I install same application to another PC but I can't regenerate the same error. I have no idea about this situation and I would like to ask is there anyone have same situation before?
    Below is some related setting 
    PC OS: window 7 pro (n edition), service pack 1
    Systen type: 32 bit operating system
    Application: written by visual basic 2010
    Framework: .Net Framework 4
    Teamviewer: version 10.0.36897
    Thank you for your kind attention

    Hello,
    If this is what you are talking about then best to ask the company.
    Please remember to mark the replies as answers if they help and unmark them if they provide no help, this will help others who are looking for solutions to the same or similar problem.

  • Photoshop CC 2014 freezes after 20 minutes of use. I can only minimize it. It even crashes sometimes. Trying to get help from Photoshop GPU FAQ but in vain.

    I have formatted my laptop, Reinstalled all my Adobe softwares and still the same problem continues.
    Photoshop sometimes gets stuck in between while working no matter what the file size and dimensions. Its not about lagging. The screen is just stationary and I can't access any of Photoshop's commands for the stationary period of some seconds or a minute. I can only minimize it. Photoshop even crashes at times.
    I have latest wacom drivers installed 5.3.5-5, Bamboo dock installed, and NVIDIA, GT 740M version 347.52. I have verified the problem with Wacom but they say the tablet doesn't have a problem. I have even tried using Intuos 5. When I use the zoom command with mouse the document zooms in and out continuously without any control.
    I tried to get help from Photoshop CS6 GPU FAQ
    but in vain.
    Bamboo Create Medium CTH 670/K0 C
    Windows 8.1 with NVIDIA graphic card and Intel R HD graphic card

    If you have both a Nvidia GPU and Intel GPU on your machine have you disabled the Intel GPU in windows Device manager. Adobe in the GPU FAQ clearly state that you may have Photoshop problems if your running machine configuration has multiple GPU that are  different GPU.  

  • Problems with close event scripts and closing Photoshop

    Hi!
    We are having problems with close event scripts ("Cls ") when closing/quitting Photoshop.
    The close event scripts are working without problem when closing an image. But when quitting Photoshop without having closed all images we are observing the following behaviour:
    with CS2 the close event scripts are not triggered at all
    with CS4  the close event scripts are triggered and executed correctly. But after that the Photshop process freezes. No visible GUI, you have to kill the process with the task manager.
    I can reproduce this behaviour even with a small script consisting of a single alert('hello') and even an empty script. Is this an known bug or am I doing something wrong?
    Thanks for your help!
      Eric

    Check your energy saver settings under system preferences. That is where you set sleep setting.

  • Main vi freeze after close sub vi

    Dear all,
    I call a sub vi from my main vi but when i close sub vi, the main vi become freeze. The sub vi is a vi i used to edit a data from my database, its close after execute a query. Freeze also happen if i close the sub vi with [x] in the corner window

    Well, does it work if the [close] button is pressed on the front panel? Unfortunately, by closing the panel after an edit operation, you prevent access to that button and the subVI does not return.
    All you need to do is remove that entire "close" related inner sequence and instead wire a TRUE to the termination condition of the while loop. Since your subVI is set to open the front panel when called and close afterwards, it will automatically close the VI when the loop (and thus the subVI!) completes. (make sure the subVI is closed before starting the main program!)
    You can delete the timeout event since it is not used, but you should add a "panel close?" event to capture pressing of the X. Also complete the subVI loop under this condition.
    Why are you doing everything with value property nodes? You should wire directly to the terminal instead. There are also potential race conditions.
    LabVIEW Champion . Do more with less code and in less time .

  • Photoshop freezes after 2-5 minutes of startup

    My photoshop CS6 is freezing after 2-5 minutes of starting it up. I have recently installed this to my computer earlier this week and it has been working fine up until this afternoon. I had no problems with it this morning. I am using a PC running windows 8.1. There seems to be no link between a particular process and the freezing, it appears to be random.@

    Hi Andrew
    Sometimes 3rd party add-ons create the spinning wheel. Curious which version of Adobe Flash you are using? Go to your Finder: HD>Library>Internet Plug-ins. Click on Flash Player.plugin, then Command/I keys. In the info panel, which version is listed?
    Also, do you have any other 3rd party items installed in Safari?

  • Firefox not responding, freezes, sometimes responds after a few minutes, other times a pop-up appears asking if I want to stop script - help please

    firefox not responding, freezes, sometimes responds after a few minutes, other times a pop-up appears asking if I want to stop script - help please

    Start Firefox in [[Safe Mode]] to check if one of the add-ons is causing the problem (switch to the DEFAULT theme: Tools > Add-ons > Themes).
    * Don't make any changes on the Safe mode start window.
    See:
    * [[Troubleshooting extensions and themes]]
    * [[Troubleshooting plugins]]
    If it does work in Safe-mode then disable all extensions and then try to find which is causing it by enabling one at a time until the problem reappears.
    * Use "Disable all add-ons" on the [[Safe mode]] start window to disable all extensions.
    * Close and restart Firefox after each change via "File > Exit" (Mac: "Firefox > Quit"; Linux: "File > Quit")

Maybe you are looking for