Waiting for file redraws after deleting bits of audio

I keep looking in the prefs for something to alleviate this.
This being, that if I have a big audio file loaded (hundreds to over a gig in size)
and as I'm editing it (going along and deleting sections) most of the time I have to wait a while for the darn waveform to redraw itself.
Sometimes it doesn't do this, less often though, and I'm clueless as to why it behaves this way.
I used to use Peak on my old OS9 machine and it never did this (probably because it always referenced the actual file)
Why does STP do this? Is there a way to not get the waveform to redraw whenever I want to delete a bit of audio?
Thanks

Gerald,
your will run into an error during the event afterOpen if there are no documents open and you want to adress the being opened document with
app.activeDocument.
You better adress it with
app.documents[0].
But - funny - if there is already a document opened, then app.documents[0] won't adress the new document (which is opened and calls the event afterOpen), but the old document which has been active before.
So you will have to adress the document which gets opened with
app.documents[-1].
(excuse my english)
Martin

Similar Messages

  • Unhandled Exception: System.TimeoutException: The request channel timed out while waiting for a reply after 00:01:59.9139778.Increase the timeout value passed to the call to Request or increase the SendTimeout value on the Binding.

    Hi, 
    I created a simple plugin and since i wanted to use Early Binding i added Xrm.cs file to my solution.After i tried registering the plugin (using the Plugin Registration Tool) the plugin does not gets registered and i get the below mentioned Exception.
    Unhandled Exception: System.TimeoutException: The request channel timed out while waiting for a reply after 00:01:59.9139778. Increase the timeout value passed to the call to Request or increase the SendTimeout value on the Binding. The time allotted to this
    operation may have been a portion of a longer timeout.
    Server stack trace: 
       at System.ServiceModel.Channels.RequestChannel.Request(Message message, TimeSpan timeout)
       at System.ServiceModel.Channels.SecurityChannelFactory`1.SecurityRequestChannel.Request(Message message, TimeSpan timeout)
       at System.ServiceModel.Channels.ServiceChannel.Call(String action, Boolean oneway, ProxyOperationRuntime operation, Object[] ins, Object[] outs, TimeSpan timeout)
       at System.ServiceModel.Channels.ServiceChannelProxy.InvokeService(IMethodCallMessage methodCall, ProxyOperationRuntime operation)
       at System.ServiceModel.Channels.ServiceChannelProxy.Invoke(IMessage message)
    Exception rethrown at [0]: 
       at System.Runtime.Remoting.Proxies.RealProxy.HandleReturnMessage(IMessage reqMsg, IMessage retMsg)
       at System.Runtime.Remoting.Proxies.RealProxy.PrivateInvoke(MessageData& msgData, Int32 type)
       at Microsoft.Xrm.Sdk.IOrganizationService.Update(Entity entity)
       at Microsoft.Xrm.Sdk.Client.OrganizationServiceProxy.UpdateCore(Entity entity)
       at Microsoft.Crm.Tools.PluginRegistration.RegistrationHelper.UpdateAssembly(CrmOrganization org, String pathToAssembly, CrmPluginAssembly assembly, PluginType[] type)
       at Microsoft.Crm.Tools.PluginRegistration.PluginRegistrationForm.btnRegister_Click(Object sender, EventArgs e)
    Inner Exception: System.TimeoutException: The HTTP request to 'https://demoorg172.api.crm.dynamics.com/XRMServices/2011/Organization.svc' has exceeded the allotted timeout of 00:01:59.9430000. The time allotted to this operation may have been a portion of a
    longer timeout.
       at System.ServiceModel.Channels.HttpChannelUtilities.ProcessGetResponseWebException(WebException webException, HttpWebRequest request, HttpAbortReason abortReason)
       at System.ServiceModel.Channels.HttpChannelFactory`1.HttpRequestChannel.HttpChannelRequest.WaitForReply(TimeSpan timeout)
       at System.ServiceModel.Channels.RequestChannel.Request(Message message, TimeSpan timeout)
    Inner Exception: System.Net.WebException: The operation has timed out
       at System.Net.HttpWebRequest.GetResponse()
       at System.ServiceModel.Channels.HttpChannelFactory`1.HttpRequestChannel.HttpChannelRequest.WaitForReply(TimeSpan timeout)
    And to my Surprise after i remove the Xrm.cs file from my solution the Plugin got registered!
    Not understanding what exactly is the issue.
    Any Suggestions are highly appreciated.
    Thanks,
    Shradha
      

    Hello Shardha,
                            I really appreciate that you have faced this issue.This is really very strange issue and basically it occurs because of big size of your early bound class and slow internet
    connection.
                            I would strictly recommend you to reduce the file size of your early bound class and then register.By default early bound class is created for all the entities which are
    present in CRM(System entities as well custom entities).Such kind of early bound classes takes lots of time to register on server and hence timeout exception comes.
                            There is some standard define to reduce the size of early bound class.Please follow the link to get rid from big size of early bound class.
    Create a new C# class library project in Visual Studio called SvcUtilFilter.
    In the project, add references to the following:
    CrmSvcUtil.exe(from sdk)   This exe has the interface we will implement.
    Microsoft.Xrm.Sdk.dll  (found in the CRM SDK).
    System.Runtime.Serialization.
      Add the following class to the project:
    using System;
    using System.Collections.Generic;
    using System.Xml.Linq;
    using Microsoft.Crm.Services.Utility;
    using Microsoft.Xrm.Sdk.Metadata;
    namespace SvcUtilFilter
        /// <summary>
        /// CodeWriterFilter for CrmSvcUtil that reads list of entities from an xml file to
        /// determine whether or not the entity class should be generated.
        /// </summary>
        public class CodeWriterFilter : ICodeWriterFilterService
            //list of entity names to generate classes for.
            private HashSet<string> _validEntities = new HashSet<string>();
            //reference to the default service.
            private ICodeWriterFilterService _defaultService = null;
            /// <summary>
            /// constructor
            /// </summary>
            /// <param name="defaultService">default
    implementation</param>
            public CodeWriterFilter( ICodeWriterFilterService defaultService )
                this._defaultService = defaultService;
                LoadFilterData();
            /// <summary>
            /// loads the entity filter data from the filter.xml file
            /// </summary>
            private void LoadFilterData()
                XElement xml = XElement.Load("filter.xml");
                XElement entitiesElement = xml.Element("entities");
                foreach (XElement entityElement in entitiesElement.Elements("entity"))
                    _validEntities.Add(entityElement.Value.ToLowerInvariant());
            /// <summary>
            /// /Use filter entity list to determine if the entity class should be generated.
            /// </summary>
            public bool GenerateEntity(EntityMetadata entityMetadata, IServiceProvider services)
                return (_validEntities.Contains(entityMetadata.LogicalName.ToLowerInvariant()));
            //All other methods just use default implementation:
            public bool GenerateAttribute(AttributeMetadata attributeMetadata, IServiceProvider services)
                return _defaultService.GenerateAttribute(attributeMetadata, services);
            public bool GenerateOption(OptionMetadata optionMetadata, IServiceProvider services)
                return _defaultService.GenerateOption(optionMetadata, services);
            public bool GenerateOptionSet(OptionSetMetadataBase optionSetMetadata, IServiceProvider services)
                return _defaultService.GenerateOptionSet(optionSetMetadata, services);
            public bool GenerateRelationship(RelationshipMetadataBase relationshipMetadata, EntityMetadata otherEntityMetadata, IServiceProviderservices)
                return _defaultService.GenerateRelationship(relationshipMetadata, otherEntityMetadata, services);
            public bool GenerateServiceContext(IServiceProvider services)
                return _defaultService.GenerateServiceContext(services);
    This class implements the ICodeWriterFilterService interface.  This interface is used by the class generation
    utility to determine which entities, attrributes, etc. should actually be generated.  The interface is very simple and just has seven methods that are passed metadata info and return a boolean indicating whether or not the metadata should be included
    in the generated code file.   
    For now I just want to be able to determine which entities are generated, so in the constructor I read from an XML
    file (filter.xml) that holds the list of entities to generate and put the list in a Hashset.  The format of the xml is this:
    <filter>
      <entities>
        <entity>systemuser</entity>
        <entity>team</entity>
        <entity>role</entity>
        <entity>businessunit</entity>
      </entities>
    </filter>
    Take a look at the methods in the class. In the GenerateEntity method, we can simply check the EntityMetadata parameter
    against our list of valid entities and return true if it's an entity that we want to generate.
    For all of the other methods we want to just do whatever the default implementation of the utility is.  Notice
    how the constructor of the class accepts a defaultService parameter.  We can just save a reference to this default service and use it whenever we want to stick with the default behavior.  All of the other methods in the class just call the default
    service.
    To use our extension when running the utility, we just have to make sure the compiled DLL and the filter.xml file
    are in the same folder as CrmSvcUtil.exe, and set the /codewriterfilter command-line argument when running the utility (as described in the SDK):
    crmsvcutil.exe /url:http://<server>/<org>/XrmServices/2011/Organization.svc /out:sdk.cs  /namespace:<namespace> /codewriterfilter:SvcUtilFilter.CodeWriterFilter,SvcUtilFilter
    /username:[email protected] /password:xxxx
    That's it! You now have a generated sdk.cs file that is only a few hundred kilobytes instead of 5MB. 
    One final note:  There is actually a lot more you can do with extensions to the code generation utility. 
    For example: if you return true in the GenerateOptionSet method, it will actually generated Enums for each CRM picklist (which it doesn't normally do by default).
    Also, the source code for this SvcUtilFilter example can be found here. 
    Use at your own risk, no warranties, etc. etc. 
    Please mark as a answer if this post is useful to you.

  • HT4623 what is waiting for activation mean, after factory reset

    what is waiting for activation mean after doing a factory reset, how long does it take

    Has your iPhone been jailbroken or otherwise hacked?

  • At the end of sync itunes hangs with message waiting for files to be transferred....iphone 4s?

    at the end of sync itunes hangs with message waiting for files to be transferred....iphone 4s?-
    and just sits there for an hour or more... sync is not finished, nothing happens... Any ideas?

    I called tech support and they had me schedule a time to walk through the problem with an apple engineer last night.
    They acknowledged that they've been getting calls about this issue but that's all they said.
    Make a long story short there was no solution. I ended up backing up all my info, contacts, notes ect. to the cloud and restoring the iPhone to the factory settings, then I synced back to the cloud but did not restore from a previous back-up just use as a new phone then manually check off the media pictures, music, movies ect.
    It's not the ideal way but it worked for me because I don't have a ton of stuff on the phone and I can even sync wirelessly now where's before I couldn't check that feature on in iTunes because it wouldn't sync.
    One thing since you can't restore from a previous back-up make sure to manually back up your camera roll or turn on photo stream to back up photos to the cloud.
    Hope this helps.

  • Disable external hard drive to prevent waiting for file open

    I have a 1.5TB LaCie external drive I use exclusively for Time Machine. Whenever I try to open a file in Word or other apps, I find I'm waiting for the LaCie drive to spin up before I get a dialog box. I've excluded the drive from Spotlight searches but am wondering if anyone knows of a way to exclude it more broadly so I'm not waiting for it.
    Thanks,
    John

    run the following terminal command. It will rebuild Launch Services database and may fix this issue.
    /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/LaunchSe rvices.framework/Versions/A/Support/lsregister -kill -r -domain local -domain system -domain user

  • SSIS wait for file to continue

    I know this question has been asked a dozen times. How do I get SSIS to wait for the existence of a file before continuing the package.  I know countless people have pointed to FileWatcher Task, unfortunately we are not allowed to install third party
    software on client servers/machines.  I've read about doing a loop using script task but also read that doing Thread.Sleep is a horrible idea. My SSIS package extracts data into a text file where it is processed by a program and put into another text
    file. I need to wait for that text file to show up before I can continue with my package.  Can someone offer some suggestions?

    Have a Windows Service using
    FileSystemWatcher to monitor for file arrivals, the very Windows Service will trigger your package upon a file arrival. It is better to actually just record the file in a schedule table to process if you expect a large number of large files to arrive fast,
    the package would pick next from the table.
    Arthur My Blog

  • CMS - Items remain "Waiting for assembly", even after succesfull assembly

    When we assemble components in the Integration Directory track, the assembly is succesfull and the components appear in the approval tab.
    But... the components remain in the assembly tab with state "Waiting for assembly" (there are also corresponding entries with state "assembled"). The components also remain in state "Waiting for assembly" after approving or rejecting.
    We have checked the How to guides several times and searched sdn and sap notes, but could not find any leads.
    We would really appreciate if anybody could help us.

    baltwo,
    I have a lion clone. so I guess there is no reason to install lion upon it's own clone.
    anyways, how is it possible that after the complete format, the ACL problem remains.
    what about removing the recovery partition.
    the reason I want it to be done is to get rid of the problems I had with the new installation, tham I'm afraid will not be fixed otherwise: crashing apple applications (safari quitted unexpectedly), slow performance, computer freezes, GUI lags (copying 138 items to another folder stucks and I have to relounch finder) and other animation bugs at almost everywhere on the system.
    restoring lion clone and turning on the time machine sounds like the last option right now...
    and I'll be happy to hear opinions about what to do with the backed up data on the external hdd permissions.

  • File present after deleting from gallery file

    This problem seems to have multiple symptoms:
    I save an image over another image in the gallery, but the original image is displayed.
    I delete an image file from the gallery file then save another file into the folder with the same name as the previously deleted then the deleted image is displayed when used.
    I delete an image file from the gallery folder then start a new, blank, project and the image file that I deleted is available to use in the project...but the file isn't in the gallery!?
    Can someone please help me figure out how to permanently remove these "ghost" files?

    Indeed it isn't clear.
    So I'm not sure what you are reporting here. It sounds as if you have visited the Gallery in order to delete an unwanted image, no? And on deleting an unwanted image, you create a new project and somehow see it?
    For one thing, a totally new project shouldn't be using anything from the Gallery. Now there may be other content that gets added if you elected to use a Theme. Is that perhaps what's happening here?
    What exactly are you seeing that you wish to wave goodbye to? A screen shot might help. To add one, use the Camera icon in the web interface to the forums. Don't try to attach to email.
    Cheers... Rick

  • No offer to save new password for google toolbar after deleting old one

    After deleting my old gmail and toolbar password in the password manager. I haven't received an offer to save the new password when signing in on the toolbar.

    Thanks again. The only e-mail addresses are associated with my domain - atlantichouse.org.uk. I've typed in "atlantichouse" and it returns no data, so I guess they've all been deleted.
    I don't use a firewall; I have updated Thunderbird earlier today as part of my attempt to solve this problem (it began when both my wife and I were unable to access mail, using different laptops - which I suppose suggests that the problem may not be at our end - though surely it should still be asking me for a PW) but not for some time previously.

  • I can't go further "waiting for Printing Services" after turning on.

    I have tried to reboot but it comes to the same point, The logo and spining daisy are there for 5 min. then I see the Blue bar with prompts growing at times(it takes 10 - 15 min. when it reaches "waiting for Prionting Services" stays there forever, I guess this all started when I tried to instal new updates (with no success)How can I revert the installation? or how can I get to the loging screen?
    what shall I do?PLEASE HELP!!!!!

    I am working on a friend's Ibook, I am a PC IT, and know very little about Mac's so please bare with me in helping (1st grade Mac user).
    In my Mac fixing journey, I have used:
    1. Repair Disk = no repairs found to fix
    2. Repair Permissions = stalls and gives a prompt disconnected quit and restart, did that same prompt
    3. Booted in safe mode, gets to the same point "waiting for Printing Services" and then fades out and shuts itself down after a long period.
    4. I have tried to holding down opt, apple, p & r keys to reset "pram" = no go.
    5. Removed the power source and batter to reset computer.
    6. Booted computer connected into the printer and not connected to the computer. Same freeze place.
    After all this being done,and reading alot in here, I purchased disk warrior, it corrected a few errors, rebuilt and rebooted...only to come back to "waiting for Printing Services" and then freeze.
    Anyone have anything else they can help me with, that might get me passed this problem??
    Thanks in Advance for any advice!!
    Sav
    Ibook G4   Mac OS X (10.0.x)  

  • File recovery after deleting from trash

    I recently discovered I had duplicates of most of my music files, which quickly filled my hard disk. CDs I have ripped were placed into my "Music" folder instead of my iTunes directory, so I started moving most things from the music folder into the trash. I mistakingly selected my iTunes folder as one of the pieces to be moved into the trash, but did not notice before attempting to empty the trash. Due to iTunes still running, I recieved a message saying that the operation could not be completed because certain files were still in use. After seeing that my iTunes music folder was in the trash I quickly moved it back into its original location, but it's now empty.
    Is it possible to recover these files? If so, how?
    Thanks,
    Ryan

    Hi Ryan, Welcome to Apple Discussions.
    If there is any chance of recovery at all your best bet is Prosoft Data Rescue. There is a free trial to see if it can recover what you need. But don't do another process on that drive until you've downloaded and run it. Also, a service that has been recommended but I cannot personally endorse is DriveSavers.
    EDIT: But wait... I don't think your Music has actually been deleted:
    Due to iTunes still running, I recieved a message saying that the operation could not be completed because certain files were still in use.
    There is a special way of moving your music folder, take a look at this support article. This support article is better.
    -mj
    [email protected]
    Message was edited by: macjack

  • Archived files missed after deletion job

    Hi All,
    We are generally doing the techinical archiving for some objects in ECC 6. Here for one object, write job & delete job is finished. but any how, archived file is missed before store job. There was some hardware failure.
    Now, we have get them restored from backup but i am not able to access the restored files from tcode SARA to store them in our storage server. It is still showing the files as failed in Store job archive file selection screen.
    I need to store those files in our storage server but archive file is not accessible from file system.
    Now, please let me know, what should i do in this case.
    Thanks in advance.
    br
    Ankit

    Hi,
    I do a little bit of Archiving using SARA, but not any expert
    We had such situations when the file was deleted from OS level while Archiving run was in progress at SARA.
    What we do in such situation is to disable the existing Run in "SARA" -> Put in Archiving Object name --> click Management, click on the failed Run and "Mark it for deletion".
    Start a new run for the same Archiving object, Keep the variant same ( I mean keep the selection dates same as earlier run) and start all over again with Write, delete, store etc.
    I dont know how much it helps
    Might be different from the scenario you might have on hand.

  • Automator: Wait for file

    I'm trying to write an automator workflow, that i can remotely trigger using something like dropbox. What I want is to have it watch a folder, and when it finds a file with a specific file, it moves on in the workflow. I haven't been able to find anything that would wait like this. Does it exist? Thanks

    There are a few solutions to this, you'll need to decide which one meets your needs best.
    First off, your script on Computer B could poll the size of the file, waiting until the file stops increasing in size for a sufficient length of time - long enough for you to assume it's finished copying, at which point you can invoke the rest of your script.
    The other options depends on the ability of Computer A and there are two classic solutions.
    One is to have Computer A write a tempoary lock file (or, conversely, a done file). Your script looks for this file to determine when the file is ready - in the case of a lock file, you create the lock file to indicate that the file is not ready, then write the file, then delete the lock file when it's done. The script on Computer B notices the lock file being deleted and knows the correspoinding real file is ready.
    The variation on this is to have a done file - you write the file to the disk and when its finished you create/update the done file to indicate the new file. Your script feeds off this done file to know when a file is ready.
    Both these options involve the use of temporary semaphore files that signal to computer B when to proceed.
    The other option that doesn't use semaphores is for Computer A to write the file to a temporary subdirectory, rather than the drop folder. It then moves the file to the drop folder when it's ready. In this way the script on computer B doesn't need to worry about how long it takes to generate the file.
    All the latter options involve additional smarts on the source machine A since that's the only one that really knows the state of the file.

  • Mini Bridge holds on waiting for bridge even after suggested fixes

    I have CS6 Photoshop and run macbook pro w/ OS Yosemite.  I have deleted switchboard folder and that did not resolve the issue.  My firewall is disabled.  Bridge can run on its own w/o problem.  What can I try to get it to work?

    I not a Mac user however I woyld think a problem like that can happen on a mac like ones on a PC.  If tot hace mor the one version of Bridge and Photoshop installed on you computer.  System configuration files may get misconfigured and the wrong version of the bridge may be launch a photoshop version and Mini Bridge will not work.  In fact CC 2014 has no mini bridge for Mini Bridge used Flash Panels and Adobe removed Flash panel support in CC 2014.  So If you have more then one version installed check that all your system and Adobe settings are correct pointing to the correct programs files to start.

  • Table for Delivery Note after Deletion

    Hi
      I want to find out delivery note which are created and deleted at a later point of time against a sales order.
    once i delete a delivery note i am unable to find tables
    which have the delted delivery note. If any one knows the
    tables plz do share
    Thanks & Regards,
    abhimanyu.L

    Hi
         likp, lisp, vbup, vbfa don't have delivery note after
         it gets deleted. i can get it from CDHDR or CDPOS
         but i can not associate it with sales order.
         In cdhdr, cdpos we have entry only for object value
         the delivery note nor.
    Regards,
    Abhimanyu L.

Maybe you are looking for

  • Change Data Capture (CDC) - Best Approach

    Hi, I am new to BODI and currently trying to design a change data capture approach. In other ETL tools i have used, the last session run timestamp is stored as a parameter and can be called within a mapping. So the mapping updates this parameter ever

  • Alert Recipients in CRM

    Hi All, Requirement: Alert category defined with elements passed to the container using the ALERT_EXIT..BAdI. Alert gets triggered using the action. recipient receives the mail too with all the values required. Used Rule based recipients option to tr

  • Summarization  ( max number in fi reached)

    Hi Gurus, When i try to post goods issue in outbound delivery, it gives me an error max number in fi reached. then i customize for fi summarization. i made a customizing in OBYC work area VBRK and BSEG- MATNR. But it still gives me the same error. Wh

  • Recommendations for a good Java IDE...

    I've been using a few different editors. I tried NetBeans, it's not bad but seems a bit slow. I just downloaded Eclipse, I'm not sure what to think of it yet. Which is the best?

  • Hp updates mess up my Notebook

    Hi, I own a HP pavilion 15 p003la since a month ago. Everytime I go to the HP panel to upgrade the drivers or install any updates, It just messes everything up; from the wireless lan, the graphics card, the touchpad (depending on the upgrade) but EVE