Suggested workaround for list itemrenderer bug?

Can someone point me in the right direction for a workaround for the problem described as Flex bug 28191:
https://bugs.adobe.com/jira/browse/SDK-28191
Steps to reproduce:
1. Populate a Tree/List with data and provide a custom itemRenderer class factory.
2. Change the class factory and dataProvider at the same time.
3. List.createItemRenderer() will crash during since Factory is the key and it has been changed.
                delete freeItemRenderersByFactory[factory][renderer];
Actual Results:
Crash because the renderer can not be found since it does not exist on that factory dictionary since the class factory was changed and the lookup is using the new factory.
Expected Results:
Not crash.
Seems like a race condition, as sometimes during this process it skips that block of code but in other cases it falls into this block and fails.
I need to change the data provider and item renderer of a tree control at runtime. Is there one or more methods I should run to prevent this? As the bug notes state, this is an intermittent problem. The error occurs here:
if (factory == itemRenderer)
            if (freeItemRenderers && freeItemRenderers.length)
                renderer = freeItemRenderers.pop();
                delete freeItemRenderersByFactory[factory][renderer];

Thanks. Actually, I have been updating (not setting or changing) the tree's dataprovider, and then changing the classFactory like this:
processesXML = event.result as XML;
nodeTreeData.source = processesXML.children();
if (treeMultiSelect)
nodeTree.itemRenderer=new ClassFactory(renderers.TreeItemRendererV1);
nodeTree.allowMultipleSelection = true;
nodeTree.setStyle("selectionColor", "0xFFFFFF");
nodeTree.setStyle("disclosureOpenIcon", MinusIcon);
nodeTree.setStyle("disclosureClosedIcon", PlusIcon);
else
nodeTree.itemRenderer=new ClassFactory(mx.controls.treeClasses.TreeItemRenderer);
nodeTree.allowMultipleSelection = false;
nodeTree.setStyle("selectionColor", "0x7FCEFF");
nodeTree.setStyle("disclosureOpenIcon", OpenArrowIcon);
nodeTree.setStyle("disclosureClosedIcon", ClosedArrowIcon);
I had tried using validateNow after changing the ClassFactory before but did get the error again. I will try it again but update the data provider after. Since it's an intermittent error I'm finding it hard to know if a fix is really working.

Similar Messages

  • WARNING: workaround for critical clustering bug in OC4J

    I found a workaround for the HTTP clustering bug described in my previous posting of August 16, 2001 "Urgent: serious HTTP clustering bug in OC4J?" (http://technet.oracle.com:89/ubb/Forum99/HTML/000261.html)
    The workaround:
    When adding the <cluster config/> tag in orion-web.xml specify and ID (numeric) with no more than 9 figures. The autogenerated ID is longer (14 figures on my test system)
    and will cause the error.
    Luciano
    null

    burricall wrote:
    ..Did you find a solution?See [this post|http://forums.sun.com/thread.jspa?threadID=5426321&messageID=11001580#11001580].

  • Workaround for H264 playback bug on Android?

    We have been doing extensive testing on H264 playback in both FLV and MP4 containers on Android AIR 3.2 / 3.3 (beta 3) for ICS. The process is documented here:
    https://bugbase.adobe.com/index.cfm?event=bug&id=3164920
    Summarized:
    ==========
    Android AIR 3.2 / 3.3 (beta 3) H264 playback (both in FLV and MP4 container) on Android 4 is severely broken.
    Video object (not StageVideo) with H264 content is:
    1) not playing videos consistently ("NetStream.Play.Stop" is triggered to early) so the movie stops before the end is reached. This also happens on Android 3. Note! The bug is not in AIR 3.1.
    2) not supporting filters (video frame is being scaled). Only Android 4 (ICS).
    3) not supporting seeking when video is paused (video frame is not being updated). Only Android 4 (ICS).
    Is there any known workarounds for these bugs?
    Best,
    Bjørn Rustberggard
    Co-founder
    WeVideo

    Hi,
    I just wanted to follow up.  It looks from your bug comments like the issues you experienced in AIR 3.2 have been resolved AIR 3.3.
    Are there any outstanding problems that you're seeing with regard to the issues you've described that we need to look into further for AIR 3.3? 
    Thanks!

  • Apache POI Word support - workaround for a write bug

    Hi all,
    Just finished battling with the bugs in POI HWPF component. When searching forums, I found more questions than answers so I wanted to save others a significant effort until POI guys implement all the fixes.
    Basically, the synopsis is, all the delete() methods are broken and replacing a string with a string of a different size corrupts the document. But insertAfter and insertBefore methods are mostly working.
    I did not want to add a method to their class, because it will probably be overwritten. On the other hand, it is unknown when it will be fixed. Therefore, I had to go via reflection.
    Here's the method, just attach it to your class and it's ready to use:
          * Replaces text in the paragraph by a specified new text.
          * @param r     A paragraph to replace.
          * @param newText     A new text.
          * @throws Exception     if anything goes wrong
         protected void setParagraphText(Paragraph r, String newText) throws Exception {
              int length = r.text().length() - 1;
              Class clRange = Range.class;
              Field fldText = clRange.getDeclaredField("_text");
              fldText.setAccessible(true);
              Field fldTextEnd = clRange.getDeclaredField("_textEnd");
              fldTextEnd.setAccessible(true);
              Field fldStart = clRange.getDeclaredField("_start");
              fldStart.setAccessible(true);
              List textPieces = (List)fldText.get(r);
              int _textEnd = fldTextEnd.getInt(r);
              TextPiece t = (TextPiece)textPieces.get(_textEnd - 1);
              StringBuffer sb = t.getStringBuffer();
              int offset = fldStart.getInt(r);
              int diff = newText.length() - length;
              if (diff <= 0) {
                   // delete doesn't work properly yet, corrupting the documents.
                   // Therefore a quick and ugly workaround is to pad the new text with spaces
                   for (int i = 0; i < -diff; i++)
                        newText += " ";
                   sb.replace(offset, offset + length, newText);
              } else {
                   // when the new text is longer, the old one must be replaced
                   // character by character, and the difference is added using
                   // insertAfter method
                   if (r.isInTable()) {
                        // more obstacles when working with tables though.
                        // Not only the regular insertAfter does not work,
                        // but also insertAfter called from a cell overruns cell delimiters.
                        // Needless to say, getTable(r) does not return the required table.
                        // Fortunately, there's a workaround
                        TableIterator ti = new TableIterator(range);
                        TableCell tc;
                        while (ti.hasNext()) {
                             Table tbl = ti.next();
                             for (int i = 0; i < tbl.numRows(); i++) {
                                  TableRow tr = tbl.getRow(i);
                                  for (int j = 0; j < tr.numCells(); j++) {
                                       tc = tr.getCell(j);
                                       if (tc.text().startsWith(sb.substring(offset, offset + length))) {
                                            sb.replace(offset, offset + length,
                                                      newText.substring(newText.length() - length));
                                            // only like this, otherwise cell delimiter will be run over
                                            tc.insertBefore(newText.substring(0, newText.length() - length));
                                            return;
                        sb.replace(offset, offset + length, newText.substring(0, length));
                   } else {
                        sb.replace(offset, offset + length, newText.substring(0, length));
                        r.insertAfter(newText.substring(length));
         }

    user8984775 wrote:
    My requirement is I need to apply this formula for Entire column to achieve the need like
    When user enters data in col2 (B) of greater than the number specified in col1 (A) and then show the ErrorBox.
    I am able to get the formula working through code only for first cell as per below code... I want it to dynamically apply for the entire column. Well I'm certainly no expert on POI, but that looks like a very odd formula to me.
    When you "pull" a formula down a column, Excel automatically changes the formula for each row, but because you've fixed both the column AND the row ($A$1), it'll be the same in all cases.
    I don't know if POI allows that sort of "auto-generate" for formulas, but if so try something like $A1 instead; otherwise I suspect you'll need a different formula for each row.
    Winston

  • Has anyone come up with new workarounds for Logic routing bugs?

    There have been many threads regarding what seem to be a set of similar bugs. These inlude an audio intrument not sounding after a while, or a channel of automation not being read; and the problem is easily fixed by closing and re-opening the song. That would be a fine workaround except that some songs take a long time to load. I used to have these problems occasionally, but recently they have become so common as to be almost constant. That's bad news, but it also is potentially good news since it means that something in my system has an influence on these bugs. I haven't found a thread in which anyone isolated a factor that helps or hurts, but it's hard to imagine all the keywords for this set of problems, so maybe I missed an idea.
    Also a new similar bug has started appearing in my system. When I add a bus send, once in a while either some or all audio channels will go silent, even though the graphic indicators indicate that they should be heard. The silent channels might or might not include the one with the new bus send. Remove the bus send and the sound comes back.
    It seems as though changes in routing have binding problems.
    Thanks for any ideas!

    Absolutely no ideas on workarounds. I have the exact same issues.
    Most of the time restarting the computer and session will cure them, but there have been projects where no matter what I do, the faders will not follow the automation data and EXS24 instruments cut out at the same exact time in the arrangement. This occurs even with as few as 6 EXS24 instruments open when on some projects I have up to about 85 open and 30 streaming at the same before I get a CoreAudio error.
    Terrible...terrible.
    Any word on whether or not 7.2 addresses this issues?

  • Workaround for ]] XML export bug with schema?

    Hi,
    It is a known issue that the ]]> sequence will not export properly to XML. If you are using a DTD, there is an entity-based workaround that is described here:
    http://forums.adobe.com/message/3774389
    The question... is there a workaround when using schema? I'm unable to figure it out.
    Thanks,
    Russ

    Hi Lynne,
    Thanks again for the thoughts. And by the way, I sympathize with your implicit complaint about how these forums work with respect to revised messages. I am accustomed to hitting Ctrl+S all the time, probably from my FM experience   Unfortunately, if you accidentally do it in the forum webpage, it submits the message. The system really needs to send revisions when they occur, because some people might just read the original email and think that's it.
    Anyway, I'm intrigued by some things you said. #1 is possible but not preferable, as schema was specifically chosen for the ability to validate attribute values. My level of attribute-based conditionalization is fairly heavy and the schema makes sure that an invalid value cannot be entered. I seem to remember back in the outset that a DTD couldn't do the level of validation I like, but I don't remember the exact reasoning. Note that I frequently assign lots of values to an attribute, tokenized with whitespace as customary.
    #3 is what I'm doing now, except with the fancy coverup tricks with spacing and back-end XSLT. I like your ideas.
    #4 is actually pure genious and it is the route I think I will go. Something you didn't know yet is that I have a script that automatically formats an XML instance like an XML editor does, incidentally by wrapping <ph> elements and setting color-formatting attributes. Thanks to ExtendScript, I was able to use regular expressions to parse out all the individual components and then create a "map" for the subsequent wrapping/formatting activities. It is quite lovely and gives me the best looking XML instances in town, with a click. Bragging aside, it would be elementary to modify that script slightly to insert another <ph> element as you suggest. Elegant and simple, but I would have never thought of that myself.
    Many thanks again,
    Russ

  • Workaround for JColorChooser setPreviewPanel bug?

    In 1.5:
    JColorChooser's setPreviewPanel(null) doesn't work.
    JColorChooser's setPreviewPanel(JPanel) removes the default preview panel but the new panel doesn't show up.
    This bug was supposed to be resolved for 1.4.2, but according to http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=6199676, it is still around. (there are many other related bug entries).
    Any workaround, please?

    Use the following code before you set the preview panel. For more info look at Bug ID 5029286
    previewPanel.setSize(previewPanel.getPreferredSize());
    previewPanel.setBorder(BorderFactory.createEmptyBorder(0,0,1,0));

  • Suggested workaround for MOD files in PPCS3

    I recognise that CS3 does not support MOD files for editing, and I understand that editing MPEG files is not ideal, however I just thought I'd post my process in case it helps anyone else in the "no-win" situation that I found myself in earlier this year. We trialled a bunch of options and settled on this one, based on speed and ease for a large number of students with varying skill levels:
    1) Copy your MOD files off the camera to an intermediate location on your machine
    2) Use the free file converter SUPER to transcode the MOD's to MPEG-II (with MP2 sound), taking the opportunity to correct aspect ratio (16:9) and set the highest bitrate available
    3) Import resulting MPG files into Premiere and carry on (archive the MOD's)
    The reason that this seems to work fairly well for us is the speed of the transcode. As I understand it, only the sound is being transcoded during the process (the video is already MPEG-II), therefore even large files take only 10-15 seconds.
    The quality of the finished file seems to be OK (for an MPEG), and I've encountered no sound-sync issues (which is what usually trips me up when testing transcoding).
    I hope this helps someone, and I do stress this is just a "no other option" solution. It's by no means "best practice".
    Matthew P

    Dear Matthew,
    Thanks a lot for your reply!
    First I want to note that I came across the - rename to .m2v - trick, and that seems to work really fine - no need to convert whatsoever, have you tried that and if so - what are the drawbacks?
    The trick : rename 'untitled-1.MOD' to 'untitled-1.m2v' so premiere can import it without trouble.
    Further I downloaded Super v2009.build.36 (june 10, 2009) from this site:
    http://www.erightsoft.com/
    But it somehow doesn't not recognize .MOD files.
    Do I need to have some other software installed or am I missing something else?
    I will try to use the 'rename the .MOD file to m2v'-method, before that I did this:
    Convert the .MOD's with mpeg-streamclip (.com)
    For the AC3 audio handling in premiere CS3 I use this trick:
    'Why is there no audio in my imported MPEG file?
    If your MPEG file contains AC3 (Dolby Digital) audio then Mitch411 said:
    If you've got Encore CS3 installed , copy the file ad2ac3dec.dll from the
    Encore CS3 directory and paste it into the PPro CS3 root directory. Once
    you restart CS3, you'll be able to import the file with the audio. This
    means if you've already have a project with the files imported, you'll
    need to remove the files from the project and then re-import them, or just
    start over with a new project.'
    kind regards,
    Tobias Beuving

  • Supported or suggested workaround for Flash?

    Yes. I said the bad word. Take a breath, read on. :-)
    I
    Flash &amp; iOS dont play well together. Neither do Flash &amp; Linux. That's life. So in PC life your browser picks up and does the flash thing via add ons, extensions, etc. Thanks to the forum I've found a bit of that in the app store. Yet to test them, but probably will.  Although I am having trouble finding the apps, I know they are out there. I'll keep trolling the forum to figure that out.
    Question I have is, has there been an officially or even unofficial official recommendation on how to view videos (non uTube) on websites/pages that look for Flash?
    Why i'm asking: 
    1) Currently I have one to few on how to use a new specialty foot on my sewing machine. Yes I could go into the other room, fire up the old desktop, choose windows or Linux, boot up, find the web page, watch the video, go back to machine try to imitate what I remember seeing, go back to PC, rewatch the video, repeat process until I get it right. If I could watch on the iPad I could watch and do step by step the first time through. I have no interest in games on my iPad at this point.
    2) I was non-Apple for about 10 months before getting my iPad, prior to that the word was an Apple alternative or an iOS Flash was in the works. The second is definitely not happening. I get the feeling the first isn't either. I'm getting more the no comment, avoid the issue until they (adobe) go feet up then we'll be ready to expand further. Often in my experience Apple will have a background policy that does try to meet the customer's needs when using such public policies.  So I thought I'd ask.

    I see iSwiffer and Puffin - two browsers - recommended a lot.

  • Is there a workaround for the Safari "clickable hidden content" bug?

    Hi,
    I'm encountering a bug in Safari where hidden content (non-visible content hidden with the CSS attribute overflow:hidden) to be clickable. I did some googling and found other people who are having this same problem:
    http://www.dmxzone.com/forum/go/?35908
    http://archivist.incutio.com/viewlist/css-discuss/76660
    http://lists.macosforge.org/pipermail/webkit-dev/2005-November/000496.html
    But no one seems to have a workaround for this. The last post contains a reply by an Apple developer saying he checked in a bug fix for this, but his reply was posted two years ago and I'm still seeing the problem.
    Does anyone know of a workaround for this? Hacks or kludges welcome.
    Cheers,
    -bri
    Message was edited by: omega-

    Hi
    As Safari uses the WebKit structure, you may find an answer to your question at the FreeNode Network. You may also find help at the WebKit Open Source Project.

  • Bootcamp Version 3.1 --List of bug reports for the Development Team to fix.

    Please create a list of bug fixes for the Development Team to address in the next version of Bootcamp (e.g., 3.2). This thread assumes that all users are presently running Bootcamp 3.1:
    1. Sound should not be muted every time a user reboots a newer MacBook laptop using Windows 7 Ultimate, 64-bit. My sound is always muted when I load Windows 7 Ultimate, and I have to manually turn it on each time.
    2. Left and right clicks on the trackpad should work out of the box using Windows 7 Ultimate, 64-bit. My left click operates a little less than 50 percent of the time -- i.e., I click it and nothing happens. I had to switch to "tap to click" as a workaround, however, I prefer the good old solid left click.
    Please step right up and add to the bug report list so that the developers have a checklist of issues that need to be fixed. When the bug report list has grown to a respectable size, I'll send an official letter to the C.E.O. to facilitate the bug reports reaching the development team.
    Message was edited by: lawlist

    lawlist wrote:
    Please create a list of bug fixes for the Development Team to address in the next version of Bootcamp (e.g., 3.2). This thread assumes that all users are presently running Bootcamp 3.1:
    1. Sound should not be muted every time a user reboots a newer MacBook laptop using Windows 7 Ultimate, 64-bit. My sound is always muted when I load Windows 7 Ultimate, and I have to manually turn it on each time.
    2. Left and right clicks on the trackpad should work out of the box using Windows 7 Ultimate, 64-bit. My left click operates a little less than 50 percent of the time -- i.e., I click it and nothing happens. I had to switch to "tap to click" as a workaround, however, I prefer the good old solid left click.
    Please step right up and add to the bug report list so that the developers have a checklist of issues that need to be fixed. When the bug report list has grown to a respectable size, I'll send an official letter to the C.E.O. to facilitate the bug reports reaching the development team.
    Message was edited by: lawlist
    FWIW, I don't have the symptoms you describe. So I think before you call a symptom a "bug" I think you should confirm that it is indeed a "bug" and not a configuration, software, or hardware issue caused by something such as incorrect installation, incorrect setup, or any other third party or user caused action.
    Also, FWIW, I don't think this forum is intended to be used as a survey for gathering "bugs". Apple has an official feedback page where they gather user experiences such as yours. I think if you post your "bugs" there they will get faster attention than posting them here in this user-to-user help forum.

  • Extensions like Ghostery, WOT or AdBlock stop working after two or three times. Restarting the webpage in a new tab the extensions will work again for several times and then stop again. Has anybody an explanation or a workaround for this bug in Safari 5?

    Extensions like Ghostery, WOT or AdBlock stop working after two or three times. Restarting the webpage in a new tab the extensions will work again for several times and then stop again. Has anybody an explanation or a workaround for this bug in Safari 5?

    Remove the extensions, redownload Safari, reload the extensions.
    http://www.apple.com/safari/download/
    And if you really want a better experience, use Firefox, tons more choices and possibilities there.
    Firefox's "NoScript" will block the Trojan going around on websites. Best web security you can get.
    https://addons.mozilla.org/en-US/firefox/addon/noscript/
    Ghostery, Ad Block Plus and thousands of add-ons more have originated on Firefox.

  • Workaround for JSFL shape selection bug?

    There seems to be a bug in the document selection reporting in JSFL in  CS4 (haven't tested earlier versions).  I submitted it as a bug to Adobe  but I'd really like to find a workaround for it.  I've included my bug  report below.  Has anyone else encountered this?  If so, have you  figured out a workaround?  It's pretty annoying, making the tool I'm  working on really difficult to manage.
    ******BUG******
    After performing a publish preview, fl.getDocumentDOM().selection  reports an incorrect selection of raw shapes.
    Steps to reproduce bug:
    1. Create a JSFL command with the following contents:
    doc = fl.getDocumentDOM();
    fl.trace("there are " + doc.selection.length + " items selected");
    2. Start the authoring environment fresh, with a new document.
    3. Draw several shapes on the stage, not touching each other, all in  the same frame and layer.
    4. Select one of those shapes but leave the others unselected.
    5. Run the previously created JSFL command.  It will send the following  text to the output panel, as one would expect:
    "there are 1 items selected"
    6. Do a publish preview (either Flash or HTML).
    7. When it comes up, close the preview window.
    8. Deselect all and then select one of the shapes (again, keeping the  others unselected).
    9. Run the JSFL command again.  This time, it will say that there are n  items selected (where n is the number of shapes you drew in step 3).   So if you drew three shapes, it will print out the following:
    there are 3 items selected
    Note that this result will be the same even if you go to a different  document, do a publish preview on that document, then return to the  original.  It seems that simply doing a publish preview alters Flash's  state to report the selection incorrectly.
    Results: The JSFL command reports that all the shapes are selected,  despite the fact that only one of them is.  The only way I've found to  get Flash back to its normal behavior is to restart the authoring  environment.
    Expected results: In the steps above, the JSFL command should always  print out that there is one element selected.  There's no reason that  doing a publish preview should change that.

    When selected all shapes in selection are treated as one. You can see it if you run this script with selected multiple shapes:
    fl.trace( fl.getDocumentDOM().selection[0].contours.length );
    It will output you twise bigger number then selected shapes (because each Shape has two contours - one clockwise, other counterclockwise).
    Of course this. implementation is strange for me too. Thats how i found your post

  • Workaround for PSE 6 "Exclude photos from category" bug

    PSE 6 Organizer broke the ability to exclude from a search all photos tagged with a category or a tag within that category. Heres a partial workaround:
    Suppose you want to show all photos not tagged with the Places category or a tag within the Places category. In previous versions, youd right-click Places in the Keywords Pane and select Exclude photos with Places category from search results. Thats broken in PSE 6 so instead, do this:
    1. In the Find bar, Show All. (This shows all photos.)
    2. In the Keyword Tags pane, check the box to the left of Places. (This shows only those photos tagged with Places or a tag within the Places category.)
    3. In the Find bar, select Options > Hide Best Match Results and then select Options > Show Results that Do Not Match. (Only photos not tagged with Places or a tag within the Places category will be shown.)
    Unfortunately, you cant combine this workaround with additional search criteria, i.e. all photos without a Places tag and in the date range 1986 2000.
    Thanks much to JonE at Elements Village who suggested this.

    Thomas,
    Yeah, that's the limitation of the workaround.
    Unfortunately, this is still broken in PSE 7. Its ironic that your use-case is precisely the one described in the PSE 6 and 7 User Guides as an example of how to use exclusion.
    The text search box in PSE 7 provides a partial workaround for some uses of exclusion. You can do not places to find photos not yet tagged with any tag in the Places category. You can do not people to find all photos with no tags in the People category. But larry and not people wont find photos containing just Larry and not any other people it excludes all photos with any tag in the People category.
    Another limitation of the text search box is that it matches all the text in the photo tags, categories, captions, notes, etc. So when I search for jasper, I get photos tagged with People > Friends > Jasper as well as Places > Jasper National Park.

  • [svn:fx-trunk] 10526: Temporary workaround for A+ bug SDK-23387.

    Revision: 10526
    Author:   [email protected]
    Date:     2009-09-22 21:48:33 -0700 (Tue, 22 Sep 2009)
    Log Message:
    Temporary workaround for A+ bug SDK-23387.
    The LinkNormalFormat, LinkHoverFormat, and LinkActiveFormat classes have been removed from FXG, and the FXG compiler was autogenerating static vars of these types (for linkage reasons?) that no longer compiled. I've commented out the offending lines in FXGCompiler.java, but we need a correct fix to cope with the fact that the way hyperlinks are formatted in FXG has changed.
    Instead of formatting hyperlinks by writing
    tag) but at least it can once again compile FXG as long as it doesn't involve styled hyperlinks.
    QE notes: None
    Doc notes: None
    Bugs: SDK-23387
    Reviewer: Carol
    Tests run: ant checkintests
    Is noteworthy for integration: No
    Ticket Links:
        http://bugs.adobe.com/jira/browse/SDK-23387
        http://bugs.adobe.com/jira/browse/SDK-23387
    Modified Paths:
        flex/sdk/trunk/modules/compiler/src/java/flex2/compiler/fxg/FXGCompiler.java

    error dateField not selecion date 27/11/2002 ?
    This is bug flex 3 ?
    thanks

Maybe you are looking for

  • I tried to install ios 7 in macbook pro and the error 3 persist. phone is in the recovery mode

    i tried to install ios 7 in macbook pro and the error 3 persist. phone is in the recovery mode

  • Video Quality in imovie

    I am capturing video using a Sony HDR-SR12 Handycam, converting the video using QT in a MPEG4 format, so can use the file with imovie. Once I transfer over to imovie the video quality is very bad. Playing the video out of the camera on to the TV the

  • BSP Surveys

    Hi Everyone, I am trying to set up Campaign Automation and have got most way there. I now have an e-mail being sent out with a hyperlink to a BSP Survey. When I click on the link I complete the survey and the details are updated in table CRM_SVY_DB_S

  • Auto PGI for only deliveries which contain a Handling Unit

    It is possibe to setup automatic post goods issue when confirming the transfer order using :- IMG menu path:  Logistics - Execution - Warehouse Management - Interfaces - Shipping - Define Shipping Control - Define Shipping Control at the Movement Typ

  • AIR apps with serial number

    Is there a way to simply add a serial number type of component that would prompt before instal of the application on the desktop? Thanks