Where do I go to discuss Adobe scripting in general?

I’m new to Adobe scripting, and I have questions about scripting in Photoshop,
which I assume I can post here, 
But I also have questions about scripting in general.  I ran across a post in the InDesign forum,
where the response was “moved to the scripting forum.”  But that forum isn’t on the list of available forums.
So where do I go to discuss Adobe scripting in general?

Hello,
you're welcome here in the forum, I'm sure you will get the correct answers to your questions. And only to complete, we here in the forum mainly are users like you and me.
You will find all the Communities by clicking "Adobe Communities" on the top of the window. Please have a look at https://forums.adobe.com/welcome (see screenshot) and/or open "All communities"
Hans-Günter

Similar Messages

  • Help with first Adobe Script for AE?

    Hey,
    I'm trying to create a script that will allow me to set a certain number of layer markers at an even interval to mark out a song. Could someone help me troubleshoot this script? I've been working on it for ages now, and I'm about to snap. I've basically gone from HTML and CSS, to javascript and Adobe scripting in the past few hours, and I cannot figure this out for the life of me.
    I want to create a dialog with two fields, the number of markers to place, and the tempo of the song. Tempo is pretty simple, its just the number of beats per minute. The script is meant to start at a marker that I have already placed, and set a new marker at incrementing times. Its mainly to help me see what I'm trying to animate too, even if the beat is a little hard to pick up every once in a while.
    Also, is there a better way to do this? This script will help me in the long run because I will need to do this pretty often, but I'm wondering if there was something that I could not find online that would have saved me these hours of brain-jumbling?
    Thank you very much for any help you can offer.
        // Neo_Add_MultiMarkers.jsx
        //jasondrey13
        //2009-10-26
        //Adds multiple markers to the selected layer.
        // This script prompts for a certain number of layer markers to add to the selected audio layer,
        //and an optional "frames between" to set the number of frames that should be skipped before placing the next marker
        // It presents a UI with two text entry areas: a Markers box for the
        // number of markers to add and a Frames Between box for the number of frames to space between added markers.
        // When the user clicks the Add Markers button,
        // A button labeled "?" provides a brief explanation.
        function Neo_Add_MultiMarkers(thisObj)
            // set vars
            var scriptName = "Neoarx: Add Multiple Markers";
            var numberOfMarkers = "0";
            var tempo = "0";
            // This function is called when the Find All button is clicked.
            // It changes which layers are selected by deselecting layers that are not text layers
            // or do not contain the Find Text string. Only text layers containing the Find Text string
            // will remain selected.
            function onAddMarkers()
                // Start an undo group.  By using this with an endUndoGroup(), you
                // allow users to undo the whole script with one undo operation.
                app.beginUndoGroup("Add Multiple Markers");
                // Get the active composition.
                var activeItem = app.project.activeItem;
                if (activeItem != null && (activeItem instanceof CompItem)){
                    // Check each selected layer in the active composition.
                    var activeComp = activeItem;
                    var layers = activeComp.selectedLayers;
                    var markers = layers.property("marker");
                    //parse ints
                    numberOfMarkers = parseInt (numberOfMarkers);
                    tempo = parseInt (tempo);
                    // Show a message and return if there is no value specified in the Markers box.
                    if (numberOfMarkers < 1 || tempo < 1) {
                    alert("Each box can take only positive values over 1. The selection was not changed.", scriptName);
                    return;
                    if (markers.numKeys < 1)
                    alert('Please set a marker where you would like me to begin.');
                    return;
                    var beginTime = markers.keyTime( 1 );
                    var count = 1;
                    var currentTime = beginTime;
                    var addPer = tempo/60;
                    while(numberOfMarkers < count)
                    markers.setValueAtTime(currentTime, MarkerValue(count));
                    currentTime = currentTime + addPer;
                    if (count==numberOfMarkers) {
                        alert('finished!');
                        return;
                    else{
                        count++;
                app.endUndoGroup();
        // Called when the Markers Text string is edited
            function onMarkersStringChanged()
                numberOfMarkers = this.text;
            // Called when the Frames Text string is edited
            function onFramesStringChanged()
                tempo = this.text;
            // Called when the "?" button is clicked
            function onShowHelp()
                alert(scriptName + ":\n" +
                "This script displays a palette with controls for adding a given number of markers starting at a pre-placed marker, each separated by an amount of time determined from the inputted Beats Per Minute (Tempo).\n" +
                "It is designed to mark out the even beat of a song for easier editing.\n" +
                "\n" +
                "Type the number of Markers you would like to add to the currently selected layer. Type the tempo of your song (beats per minute).\n" +           
                "\n" +
                "Note: This version of the script requires After Effects CS3 or later. It can be used as a dockable panel by placing the script in a ScriptUI Panels subfolder of the Scripts folder, and then choosing this script from the Window menu.\n", scriptName);
            // main:
            if (parseFloat(app.version) < 8)
                alert("This script requires After Effects CS3 or later.", scriptName);
                return;
            else
                // Create and show a floating palette
                var my_palette = (thisObj instanceof Panel) ? thisObj : new Window("palette", scriptName, undefined, {resizeable:true});
                if (my_palette != null)
                    var res =
                    "group { \
                        orientation:'column', alignment:['fill','fill'], alignChildren:['left','top'], spacing:5, margins:[0,0,0,0], \
                        markersRow: Group { \
                            alignment:['fill','top'], \
                            markersStr: StaticText { text:'Markers:', alignment:['left','center'] }, \
                            markersEditText: EditText { text:'0', characters:10, alignment:['fill','center'] }, \
                        FramesRow: Group { \
                            alignment:['fill','top'], \
                            FramesStr: StaticText { text:'Tempo:', alignment:['left','center'] }, \
                            FramesEditText: EditText { text:'140', characters:10, alignment:['fill','center'] }, \
                        cmds: Group { \
                            alignment:['fill','top'], \
                            addMarkersButton: Button { text:'Add Markers', alignment:['fill','center'] }, \
                            helpButton: Button { text:'?', alignment:['right','center'], preferredSize:[25,20] }, \
                    my_palette.margins = [10,10,10,10];
                    my_palette.grp = my_palette.add(res);
                    // Workaround to ensure the editext text color is black, even at darker UI brightness levels
                    var winGfx = my_palette.graphics;
                    var darkColorBrush = winGfx.newPen(winGfx.BrushType.SOLID_COLOR, [0,0,0], 1);
                    my_palette.grp.markersRow.markersEditText.graphics.foregroundColor = darkColorBrush;
                    my_palette.grp.FramesRow.FramesEditText.graphics.foregroundColor = darkColorBrush;
                    my_palette.grp.markersRow.markersStr.preferredSize.width = my_palette.grp.FramesRow.FramesStr.preferredSize.width;
                    my_palette.grp.markersRow.markersEditText.onChange = my_palette.grp.markersRow.markersEditText.onChanging = onMarkersStringChanged;
                    my_palette.grp.FramesRow.FramesEditText.onChange = my_palette.grp.FramesRow.FramesEditText.onChanging = onFramesStringChanged;
                    my_palette.grp.cmds.addMarkersButton.onClick    = onAddMarkers;
                    my_palette.grp.cmds.helpButton.onClick    = onShowHelp;
                    my_palette.layout.layout(true);
                    my_palette.layout.resize();
                    my_palette.onResizing = my_palette.onResize = function () {this.layout.resize();}
                    if (my_palette instanceof Window) {
                        my_palette.center();
                        my_palette.show();
                    } else {
                        my_palette.layout.layout(true);
                else {
                    alert("Could not open the user interface.", scriptName);
        Neo_Add_MultiMarkers(this);

    You should ask such questions over at AEnhancers. I had a quick look at your code but could not find anything obvious, so it may relate to where and when you execute certain functions and how they are nested, I just don't have the time to do a deeper study.
    Mylenium

  • Anyone know where can download some dissertation adout adobe bridge plug-in?

    anyone know where can download some dissertations about adobe bridge plug-in?I`m vexationing and afflictioning ...........

    So yes from what I gathered on the phone support call, the update would download and fail during the install.  The support person did a remote desktop session where they dug through tmp folders checking various log files, etc.  They downloaded and tried installing some other type of patch.  No go. After an hour or so they threw up their hands.  I did a search for that to see if they followed up with a case # for the call, and I couldn't find it.  Either they didn't send me one or I accidentally deleted it (but it's not in my trash/archive so doubt that).
    Prior to the support call, I did a chat session, which was dropped because a link loaded into the session, ending it.  That was after I had been troubleshooting with them for about an hour.  Frustrating.  So I opted to call in instead of chat, see above.  The case # on that chat is #0185619250. I didn't follow up on it since I went the call route.  Here's another case I found on my acct, dealing w/ this matter.
    0185699971
    Btw, here's the full error msg I get when installing the PS CC 2014 update.  This is the same error I've been getting more over a month.  Thanks
    Exit Code: 34
    Please see specific errors below for troubleshooting. For example, ERROR:
    -------------------------------------- Summary --------------------------------------
    - 1 fatal error(s), 0 error(s)
    FATAL: Payload 'Camera Profiles Installer_8.4_AdobeCameraRawProfile8.0All 8.0.0.15 {5459CCC0-6197-4FC0-AB3B-33E4D5BC145C}' information not found in Media_db.

  • Looking for an email discussion lists script.

    HI! I am looking for a email discussion lists script that
    works on a windows
    platform. I have looked on Google but only found Mailman
    which is good but
    only works on UNIX/Linux. The other I found has to be
    installed via a
    setup.exe which is only good if you own and have direct
    access to your own
    server.
    Does anyone out there know of a email discussion lists script
    in ASP or PHP
    or similar that uses an ms-access or ms-SQL database and
    works on a windows
    platform?
    Paul

    trlyka wrote:
    I can't, for the life of me, find an email address for order support. Or any other support for that matter.
    I believe the only email support Apple offers is for Photo Services and iTunes Customer Service.

  • I downloaded Lightroom version 5.7 in order to support tethered capture on my Nikon D750 and its still not working. Additionally when I was prompted to give my serial number for the update it was no where to be found on my Adobe profile although I purchas

    I downloaded Lightroom version 5.7 in order to support tethered capture on my Nikon D750 and its still not working. Additionally when I was prompted to give my serial number for the update it was no where to be found on my Adobe profile although I purchased, and am paying monthly for my creative cloud for photography. Please help

    Does your Cloud subscription properly show on your account page?
    If you have more than one email, are you sure you are using the correct Adobe ID?
    https://www.adobe.com/account.html for subscriptions on your Adobe page
    If yes
    Some general information for a Cloud subscription
    Cloud programs do not use serial numbers... you log in to your paid Cloud account to download & install & activate... you MAY need to log out of the Cloud and restart your computer and log back in to the Cloud for things to work
    Log out of your Cloud account... Restart your computer... Log in to your paid Cloud account
    -Sign in help http://helpx.adobe.com/x-productkb/policy-pricing/account-password-sign-faq.html
    -http://helpx.adobe.com/creative-cloud/kb/sign-in-out-creative-cloud-desktop-app.html
    -http://helpx.adobe.com/x-productkb/policy-pricing/activation-network-issues.html
    -http://helpx.adobe.com/creative-suite/kb/trial--1-launch.html
    -ID help https://helpx.adobe.com/contact.html?step=ZNA_id-signing_stillNeedHelp
    -http://helpx.adobe.com/creative-cloud/kb/license-this-software.html
    If no
    This is an open forum, not Adobe support... you need Adobe staff to help
    Adobe contact information - http://helpx.adobe.com/contact.html
    -Select your product and what you need help with
    -Click on the blue box "Still need help? Contact us"

  • Help, where are the render preferences in Adobe Photoshop CS6

    Okay, I admitt, .... I am an idiot that is new to Adobe Photoshop.
    But help the new girl out, here.... Please...
    Where are the render preferences in Adobe Photoshop Extended CS6.
    I searched Adobe Help in Dutch already but they point me towards options that doesn't excist.
    Maybe they were there in Adobe CS5 and I am reading an older version of the documentation...
    But in CS6 I can only find the option Render and no Render Preferences...
    Thanks !!

    Adobe changed the way video is rendered in CS6. Adobe Media Encoder in now used in CS6 only a subset of the Adobe's full Adobe Media Encoder is included in CS6 is a dll. I do not think you can add new Rendering Presets however you can change some setting when you use the supplied Reddening Presets.  Perhaps if you have the Adobe suite and have the full Adobe Media Encoder you can create some presets and add them to Photoshop Rendering presets.  I seem some compliants about CS6 Quicktime rendering presets lack the power of CS5.  The Rendering presets seem to be stored in sub folders in "C:\Program Files\Adobe\Adobe Photoshop CS6 (64 Bit)\Presets\Video\Adobe Media Encoder" and "C:\Program Files (x86)\Adobe\Adobe Photoshop CS6\Presets\Video\Adobe Media Encoder"

  • Where do I find my Update Adobe Photoshop CS6 downloaded on my computer

    where do I find my Update Adobe Photoshop CS6 downloaded on my computer.
    because when i work on my computer without an Internet connection i can update
    also when i make formate again i can update.
    thank y

    Update Adobe Photoshop CS6  is two way different  :-
    First : manually you can download from adobe
    and the others
    Second : adobe bridege - help - updated
    Now i have all update from first and second.
    Only i want to know the place to keep it

  • I have adobe photoshop elements older version and it's for windows XP, now I need windows 7, do I upgrade? or buy a new one?. where do I find the cheapest Adobe Photoshop elements 13?

    I have adobe photoshop elements older version and it's for windows XP, now I need windows 7, do I upgrade? or buy a new one?. where do I find the cheapest Adobe Photoshop elements 13?

    Which version do you have?

  • Where can I purchase and download adobe acrobat x standard for Mac OSx?

    Where can I purchase and download adobe acrobat x standard for Mac OSx?

    Acrobat X Standard is not avaialable for MAC OS X. However you can go for Acrobat X Pro.

  • Where Web Dynpro Java version of Adobe Forms are used in ESS MSS

    Hi, SDN Expert.
    I am working on research the use of Adobe Interactive Forms in the current processes of HCM ESS MSS.
    We are on ECC5.0, EP7.0, and ESS MSS SP21. We are in the midst of upgrading to ECC6.0.
    Do you know where Web Dynpro  Java version of Adobe Forms are used in ESS MSS are used? OR are they all in Web DYnpro ABAP version in ECC6.0?
    Thanks,
    KC

    Sergio,
    FYI.
    I am trying to see how the form I design/modify in TCode: SPF are working together to these piece of codes I found in NWDI WD4J pcui_gpisrsap.com --> VcISRShowForm DC --> ShowForm view:
    public void wdDoInit()
        //@@begin wdDoInit()
              InteractiveForm form =
                   (InteractiveForm) ((View) wdThis.wdGetAPI()).getElement("IsrForm");
              form.setDynamicPDF(true);
              form.bindPdfSource((IWDAttributeInfo) null);
        //@@end
    public static void wdDoModifyView(IPrivateShowForm wdThis, IPrivateShowForm.IContextNode wdContext, com.sap.tc.webdynpro.progmodel.api.IWDView view, boolean firstTime)
        //@@begin wdDoModifyView
              logger.pathT("Entering: wdDoModifyView");
              // Dynamic context generation
              // Bind context
              if (wdContext.nodeNewGenericChildNodes().size() > 0) {
                   if (wdContext.currentContextElement().getContextToBeReset())
                        wdContext.nodeData().getContext().reset();
                   IWDNodeInfo genericNode = wdContext.nodeData().getNodeInfo();
                   IWDNodeInfo origNode =
                        wdThis
                             .wdGetVcISRShowFormController()
                             .wdGetContext()
                             .nodeGenericNode()
                             .getNodeInfo();
                   IWDNodeInfo childNode;
                   IWDNodeInfo deepChildNode;
                   for (int i = 0;
                        i < wdContext.nodeNewGenericChildNodes().size();
                        i++) {
                        childNode =
                             origNode.getChild(
                                  wdContext
                                       .nodeNewGenericChildNodes()
                                       .getElementAt(i)
                                       .getAttributeValue("name")
                                       .toString());
                        deepChildNode = childNode.getChild("DATA");
                        genericNode.addMappedChild(
                             childNode.getName(),
                             null,
                             childNode.isSingleton(),
                             childNode.isMandatorySelection(),
                             childNode.isMultipleSelection(),
                             childNode.getPathDescription(),
                             false,
                             true);
                        genericNode.getChild(childNode.getName()).addMappedChild(
                             deepChildNode.getName(),
                             null,
                             deepChildNode.isSingleton(),
                             deepChildNode.isMandatorySelection(),
                             deepChildNode.isMultipleSelection(),
                             deepChildNode.getPathDescription(),
                             false,
                             true);
                        genericNode
                             .getChild(childNode.getName())
                             .getChild(deepChildNode.getName())
                             .addAttributesFromDataNode();
              // Avoid another context generation - all context have been generated
              wdContext.nodeNewGenericChildNodes().invalidate();
              InteractiveForm form = (InteractiveForm) view.getElement("IsrForm");
              //Set the template source of the form (if necessary)
              if (wdContext
                   .currentIsrParamsElement()
                   .getSetTemplateSourceNecessary()) {
                   form.setTemplateSource(
                        wdContext.currentIsrParamsElement().getTemplateSource());
                   wdContext.currentIsrParamsElement().setSetTemplateSourceNecessary(
                        false);
              logger.pathT("Exiting: wdDoModifyView");
        //@@end

  • I'm trying to switch my adobe script membership over to the unlimited app membership one I get it.

    I pay for adobe script pro monthly but i'm subscribing to an unlimited app subscription. Can I switch over My adobe script membership to the unlimited membership so I only have to pay one price? Thanks

    Do you mean Acrobat subscription by Script pro monthly ?
    Is unlimited app subscription referring to CC ?
    If that is the case, then you can use the Acrobat 11 pro present in CC & not use the acrobat subscription.
    Hope it helps you.
    Regards
    Rajshree

  • Where can I download Java and Adobe acrobat for games

    Where can I download Java and Adobe Acrobat for games?

    Sorry you can get  flash player for iPad  has flash player is dead
    Not sure about java  may be some one else can help you on that

  • Where do I download my purchased Adobe X software?  It is not showing up in my purchase history.

    Where do I download my purchased Adobe X software?  It is not showing up in my purchase history.

    if you mean acrobat X pro and, if you follow all 7 steps you can dl a trial here:  http://prodesigntools.com/adobe-cs5-5-direct-download-links.html
    and activate with your serial.
    if you have a problem dl'g, you didn't follow all 7 steps.  the most common error involves failing to meticulously follow steps 1,2 and/or 3 (which adds a cookie to your system enabling you to download the correct version from adobe.com).

  • WHERE CAN I FIND or DOWNLOAD  ADOBE FLASH BUILDER 4.7 STANDARD?

    1 year ago I bought Adobe Flash Builder 4.7 Standard an i have license key. Installation files i lost. Creative Cloud contain Adobe Flash Builder 4.7 Premium, and does not contain Adobe Flash Builder 4.7 Standard. WHERE CAN I FIND or DOWNLOAD  ADOBE FLASH BUILDER 4.7 STANDARD?

    You can get all the PDF and Online Help files from the below link :
    http://blogs.adobe.com/premiereprotraining/2010/08/help-documents-for-creative-suite-5-pdf -and-html.html
    And yes, you can call the Local Help by pressing the F1 key but for that you need to have Adobe Help Manager(AIR application) installed.
    Open Adobe Help Manager->Go To General Settings->Select "Yes" under Display Local Help Content onlyand hit done.
    Launch CS6 application->Press F1 and it should open the pdf file instead of online help.

  • Where do i go to download adobe photoshop elements 8 that i bought .

    Where do i go to download adobe photoshop elements 8 that i bought a while ago ?

    Downloadable installation files available:
    Suites and Programs:  CC 2014 | CC | CS6 | CS5.5 | CS5 | CS4, CS4 Web Standard | CS3
    Acrobat:  XI, X | 9,8 | 9 standard
    Premiere Elements:  13 | 12 | 11, 10 | 9, 8, 7 win | 8 mac | 7 mac
    Photoshop Elements:  13 |12 | 11, 10 | 9,8,7 win | 8 mac | 7 mac
    Lightroom:  5.7.1| 5 | 4 | 3
    Captivate:  8 | 7 | 6 | 5.5, 5
    Contribute:  CS5 | CS4, CS3
    Download and installation help for Adobe links
    Download and installation help for Prodesigntools links are listed on most linked pages.  They are critical; especially steps 1, 2 and 3.  If you click a link that does not have those steps listed, open a second window using the Lightroom 3 link to see those 'Important Instructions'.

Maybe you are looking for

  • Show a minus sign as an output instead of the parentheses

    When I save a minus value, the output comes as (500.00). I think the parentheses are default for the minus value in cf. How can I display –500.00 instead of (500.00)? I looked at the numberformat function, but could not find the mask for it.

  • Session bean calls enttity bean got error !!!! *urgent*

    i have a session bean(customerController)with jndi(ejb/customer) calling entity bean (customer).Both using remote interface. when i build a frame application to test these beans. i get the error below. can anybody tell me wat happen ?!! 23:20:22,861

  • Flash animation in Portal

    Hi Experts, I'm wondering if it's possible to insert a flash animation in the masthead, and how could be this done?. I 've done something alike, but in the portal content, not in the masthead, please if you have any helpful idea, it will be really ap

  • OLAP statistics: EVENTID descriptions

    Hi, all Is there detailed description of events codes, shown in rsrt query statistics? I found only table RSDDSTATEVENTS, which contains texts. This does not explain activity for this events. Maybe there is howto, describing it. Most needed event des

  • Ducking not working properly

    I have a track that I am trying to add additional voice work to. All the voice work I added when I originally created the track duck in front of the music just fine. But the new voice I am trying to add today is not ducking until the very end of the