Document collaboration with inline editing activity

We have some strange behavior in our doc collaboration w/ inline editing activity type. Activity sets up fine and when a new instance is created it appears to start ok but when you click [edit] a network logon prompt comes up. The users Agile username and password is required. File then opens after an Excel VBA error message box is shown with no error description (and file does not have any VBA). You can then edit the file but when you try to save it you get a "document not saved" error message. Once cleared and the file closed you can open the attachment using [edit] and the changes were actually saved. Once moved to the next step in the workflow the new user who tries to edit the file sees the same issues. We cannot see a reason why the application is behaving this way. Agile 5.2.2 office 2007. thx

It should be documented in the Installation or Configuration guide. I don't have the 5.2 docs so I'm not certain. If you don't have it, Oracle Support should be able to help you out.

Similar Messages

  • Document Collaboration with In-Place Editing Activity Type

    Hello,
    My client needs to use the Document Collaboration with In-Place Editing Activity Type.
    He currently uses the Microsoft Office 2000 but unfortunately this version triggers an error.
    what are Microsoft Office versions that support this functionality?
    Would you please proveide me an official list to give to him?
    I could only find the following passage of the NPD pdf documentation:
    "...Note that Office 2007 extensions are not supported with NPD
    in-place editing...
    Thanks and regards
    Daniele Domenicucci

    I would actually be curious to know what version most customers are using. 2000 is now 4 releases behind the current, and soon to be 5.
    Although I think Office 2000 should technically work, it was also the first release with a built-in webDAV client, there might be some additional configuration to get it to work. maybe some digging on the microsoft support site regarding webdav and Office 2000. But, I also think it's a question of support b/w Office and WebDAV; not Office and PLM4P.
    Instead, I would recommend using a newer release of Office to avoid this issue, altogether.

  • XSLT List View Web part with Inline Editing changing value for one field changes the other lookup field

    Hi
    It's a bit of a weird one. In an XSLT List View web part when Inline editing is enabled if I change the date column, it changes the lookup field column as well. This behavior only occurs if the lookup list has more than 20 entries. Below 20 and we are
    OK.
    Let me explain by example:
    MileStones List - Having more than 20 items
    Tasks List - having a lookup to the Title field from MileStones list. Also having a due date field.
    Simple web part page with one XSLT List View web part for Tasks having inline editing enabled.
    When I edit the first record's due date and press enter (which saves the changes and moves onto next record) and change the due date on second record without even touching the MileStone field. Press enter to commit changes and you see the milestone changing
    on first record!
    The wierd thing is that if the MileStone list has less than 20 items all works as expected.
    Any pointers will be appreciated
    Thanks

    Hi,
    This is a known limitation when working with complex fields like Lookup field.
    A workaround is that we can avoid using the inline edit feature when there are
    complex fields in a list.
    You can take a look at this KB from Microsoft Support to get more details:
    http://support.microsoft.com/kb/2600186/en-us
    A similar thread for your reference:
    http://social.technet.microsoft.com/Forums/sharepoint/en-US/3d369611-ee79-4b5c-86bb-c0f3878cd746/standard-list-view-with-inline-editing-lookup-column-copies-preceding-or-following-items-related?forum=sharepointgeneralprevious
    Thanks
    Patrick Liang
    TechNet Community Support

  • Instant Inline edits

    See http://www.yvoschaap.com/index.php/weblog/ajax_inline_instant_update_text_20
    Example page at http://www.yvoschaap.com/instantedit/
    Now this is the sort of thing that the Apex Application Builder needs badly.
    WYSIWYG page and layout changes. I can see tons of uses for it.
    1. Region Titles - Just change the title right on the page instead of going to the Region Definition page
    2. Column Headings - Just edit column headings inline on the report region rather than the tedious, Edit Page, Report Attributes, Column Attributes, Apply/Next, rinse, lather, repeat!
    3. Item labels - Change item labels with inline edits
    The list goes on.
    Basically, this would make the App Builder GUI more like a "rich" desktop application rather than a clunky traditional page-refresh based web application.
    Hopefully the Apex team is already on top of all this and is already planning to add nifty features like these (and more!) to Apex 3.0
    Thanks

    Good call. I will play around with that.
    I was kinda (well, more than kinda) hoping it could be as simply a checkbox or a new section of the Item Properties of the Application Builder where we say something like "Inline Editing Functionality".
    We can always hope it will be in release 4 or 5.

  • Inline Editing in TreeView with ContextMenu

    I*d like to add items to an editable TreeView using a ContextMenu.
    Here is what I tried so far (JavaFX 8 Build b102):
    package treeview.tests;
    import javafx.application.Application;
    import javafx.event.ActionEvent;
    import javafx.event.EventHandler;
    import javafx.scene.Scene;
    import javafx.scene.control.ContextMenu;
    import javafx.scene.control.MenuItem;
    import javafx.scene.control.TreeItem;
    import javafx.scene.control.TreeView;
    import javafx.scene.control.cell.TextFieldTreeCell;
    import javafx.scene.image.Image;
    import javafx.scene.image.ImageView;
    import javafx.stage.Stage;
    public class EditableTreeView extends Application
      private final Image documentIcon = new Image(getClass().getResourceAsStream("document.png"));
      private final Image chapterIcon = new Image(getClass().getResourceAsStream("chapter.png"));
      private final Image sectionIcon = new Image(getClass().getResourceAsStream("section.png"));
      class Document extends TreeItem<String>
        Document(String string)
          super(string, new ImageView(documentIcon));
      class Chapter extends TreeItem<String>
        Chapter(String string)
          super(string, new ImageView(chapterIcon));
      class Section extends TreeItem<String>
        Section(String string)
          super(string, new ImageView(sectionIcon));
      @Override
      public void start(Stage stage) throws Exception
        TreeItem<String> root = new Document("Document A");
        root.setExpanded(true);
        final TreeView<String> treeView = new TreeView<>(root);
        for (int i = 1; i <= 3; i++)
          Chapter chapter = new Chapter("Chapter " + i);
          root.getChildren().add(chapter);
          for (int j = 1; j <= 3; j++)
            Section section = new Section("Section " + j);
            chapter.getChildren().add(section);
        treeView.setEditable(true);
        treeView.setCellFactory(TextFieldTreeCell.forTreeView());
        MenuItem addMenuItem = new MenuItem("Add Child");
        addMenuItem.setOnAction(new EventHandler<ActionEvent>()
          public void handle(ActionEvent e)
            TreeItem<String> parent = treeView.getSelectionModel().getSelectedItem();
            parent.setExpanded(true);
            TreeItem<String> child = null;
            if (parent instanceof Document)
              child = new Chapter("<Chapter>");
            if (parent instanceof Chapter)
              child = new Section("<Section>");
            if (child != null)
              parent.getChildren().add(child);
              treeView.requestFocus();
              treeView.getFocusModel().focus(treeView.getRow(child));
              treeView.edit(child);
              treeView.getSelectionModel().select(child);
        ContextMenu contextMenu = new ContextMenu();
        contextMenu.getItems().add(addMenuItem);
        treeView.setContextMenu(contextMenu);
        Scene scene = new Scene(treeView, 600, 400);
        stage.setScene(scene);
        stage.setTitle("Editable TreeView");
        stage.show();
      public static void main(String[] args)
        launch(args);
    Everything is working as expected except the inline editing is not activated
    after calling treeView.edit(child) in the EventHandler of MenuItem("Add Child").
    So how can I implement a custom TreeCell<T> to enable inline editing of tree items in the ContextMenu?
    Thanks in advance.

    Hi,
    It is by design that groups are collapsed when entering or leaving inline edit mode on a custom list that uses group by, inline editing, and has groups collapsed by default.
    There is no hotfix currently,
    our product group is aware of the issue and they are currently investigating the issue.
    The current workarounds for this issue are 1) to have groups expanded by default, or 2) to re-expand the
    group each time the inline
    editing mode is changed.
    Xue-mei Chang
    TechNet Community Support

  • A PDF document with information about activation for CS6 software

    Here's a PDF document with information about activation for CS6 software.
    I found it very useful for understanding how the system worked for activation of perpetual licenses, both in cases where the computer is and isn't connected to the Internet.

    Ann, with some browsers, the PDF document will download in the background rather than appear in a browser window.

  • Adobe Digital editions activation server error code E_AUTH_NOT_READY. going on for weeks altering registry not something one should fool with. Please Adobe correct your problem.......

    Adobe digital editions activation server error E_AUTH_NOT_READY. This has been going on for months... Please adobe do something about your problem. Altering the registry in my computer is not something anyone should fool with.....

    Adobe digital editions activation server error E_AUTH_NOT_READY. This has been going on for months... Please adobe do something about your problem. Altering the registry in my computer is not something anyone should fool with.....

  • Apply Information Rights Management to document library with edit permission to site admin or Member Group in O365

    Apply Information Rights Management to document library with edit permission to site admin or Member Group in O365.
    so that one or few limited users can update or edit documents in IRM applied document library

    Hi,
    Based on your description, my understanding is that you want to apply Information Rights Management to a document library.
    Here is a link about how to set up Information Rights Management (IRM) in SharePoint admin center, you can use as a reference:
    http://office.microsoft.com/en-us/office365-sharepoint-online-enterprise-help/set-up-information-rights-management-irm-in-sharepoint-admin-center-HA102895193.aspx
    Here is a link about how to apply Information Rights Management to a library, you can use as a reference:
    http://office.microsoft.com/en-us/sharepoint-help/apply-information-rights-management-to-a-list-or-library-HA102891460.aspx
    Best Regards,
    Wendy
    Wendy Li
    TechNet Community Support

  • Working in a doc with inline tables uses 80% of my CPU

    Hi everyone,
    I'm using Pages 4.0.4, and typing (in table, around table, any where) slows to a crawl when I my document contains inline tables. Using Activity Monitor, I can see my CPU usage jump to 80% when I type in a Pages document with inline tables. It stays at 8% as I type with the very same tables positioned as floating.
    I'm working on a six-page document with four or five tables (one of which is a yearly calender with lots of small columns and rows). There are no other fonts besides Helvetica 12pt, and nothing but alphanumeric characters. I've experienced this slowdown before, but I've always put up with it. Now, it's just driving me crazy!
    I've tried...
    * Validating all my fonts - I found 40-ish minor errors (mostly duplicate font errors), but I didn't know how to fix them.
    * Thinning the tables - I read that thinning inline tables so they don't run margin-to-margin can help. It didn't.
    If I had to guess, I'd say Pages runs layout calculations with each keystroke so objects can flow with the text. Is there a setting or preference I'm missing to do this less often?
    I could float the tables, but every time I change the text above them I have to reposition all of them. I love Pages, and I hate to return to MS Office. However, this slowdown is a deal breaker for me. Any ideas?
    Thanks!
    Jack
    PS - If it helps, I experience the same type of slowdown with Numbers. If the table exceeds several rows by several columns, typing, copying & pasting, etc take forever! I've read that that's because Numbers recalculates the entire sheet with every event, but that seems pretty drastic.

    jstewmc wrote:
    Hi everyone,
    I'm using Pages 4.0.4, and typing (in table, around table, any where) slows to a crawl when I my document contains inline tables. Using Activity Monitor, I can see my CPU usage jump to 80% when I type in a Pages document with inline tables. It stays at 8% as I type with the very same tables positioned as floating.
    I'm working on a six-page document with four or five tables (one of which is a yearly calender with lots of small columns and rows). There are no other fonts besides Helvetica 12pt, and nothing but alphanumeric characters. I've experienced this slowdown before, but I've always put up with it. Now, it's just driving me crazy!
    I've tried...
    * Validating all my fonts - I found 40-ish minor errors (mostly duplicate font errors), but I didn't know how to fix them.
    * Thinning the tables - I read that thinning inline tables so they don't run margin-to-margin can help. It didn't.
    If I had to guess, I'd say Pages runs layout calculations with each keystroke so objects can flow with the text. Is there a setting or preference I'm missing to do this less often?
    I could float the tables, but every time I change the text above them I have to reposition all of them. I love Pages, and I hate to return to MS Office. However, this slowdown is a deal breaker for me. Any ideas?
    Thanks!
    Jack
    PS - If it helps, I experience the same type of slowdown with Numbers. If the table exceeds several rows by several columns, typing, copying & pasting, etc take forever! I've read that that's because Numbers recalculates the entire sheet with every event, but that seems pretty drastic.
    What you describe is perfectly consistent with what you read (I recognized what I wrote).
    If tables are floating, they don't move when the text layer is edited. So they have no impact upon recalculations.
    When they are inline, the app is so dumb that it behave as if it was recalculating from the very beginning which of course, with these embedded items, requires a lot of time.
    AppleWorks designers made a better work on this point but they were old-fashioned ones.
    They offered two interesting features :
    (a) recalculate only what was really needed
    (b) in the Spreadsheet, they gave a menu item allowing us to stop/activate recalculations
    Alas, I'm not sure that iWork designers ever open AppleWorks.
    Yvan KOENIG (VALLAURIS, France) mercredi 23 février 2011 11:04:38

  • Problem with local editing after update to SP13

    Hallo,
    we have updated our Enterprise Portla 7.00 to SP13. Now many user have Problem with local editing. The error message is "The download of the document fail".
    I know that every PC needs the "Docservice" Active X component installed. The "Docservice" is also installed.
    At my PC theres only this problem with "html" documents.
    What could be the problem. ?
    Please help.
    Many thanks
    Ronald

    We found that there is a problem with the Docservice Active X Component.
    If we work in a deeper folder there is a problem with the length of the url. I changed the TEMP Setting
    "Setting a different TEMP directory:                                     
    In cases that it is problematic to use the standard %TEMP% directory,   
    setting the environment variable SAPKM_USER_TEMP pinpointing to a       
    corresponding directory path (e.g.                                      
    X:\SHARES\USERS\xxx\CheckedOutDocuments) will be also supported. If the 
    access to that directory fails the standard %TEMP% directory will be    
    used as fallback."
    I used "C:\TEMP" and now it works.......  but this cant be the solution....
    thans Ronald

  • Task flow-call  as a Dialog with inline-popup issue JDev 11.1.1.2.0

    I have a very serious issue with task flow-call running as a Dialog with inline-popup
    have bunch of data driven table components pointing to pageDefs with Iterators
    the problem is, the dialog comes first with nothing in it (blank) and it takes 3-5 seconds to fetch all views,
    this is useless, there is no option to control taskflow-call activation , like you do for af:region
    For reference : I am talking about this : http://jobinesh.blogspot.com/2010/08/refresh-parent-view-when-in-line-popup.html
    Download the workspace , connect as HR Schema and you will see what I am talking about
    looks really dumb, it would make sense to show dialog with data all at once, rarther than looking at blank screen to wait for the data to show up
    Edited by: user626222 on Sep 20, 2010 8:57 AM
    can I call this a bug?
    Edited by: user626222 on Sep 20, 2010 1:58 PM
    sometimes I wonder if anyone tested this, as soon as you have some data driven components on your page, you get all sorts of problems in ADF
    But something simple, Adf client side invokes the Dialog as a popup first, and then it thinks oh ya I get massive pageDef to load, so end-user customer will stare at the blank screen for 10 secs , hoping that something will come up or program is crashed
    Well, I am afraid to say you lost your customer :(
    Edited by: user626222 on Sep 20, 2010 2:29 PM
    Edited by: user626222 on Sep 20, 2010 2:35 PM
    Edited by: user626222 on Sep 20, 2010 2:35 PM
    Edited by: user626222 on Sep 20, 2010 2:36 PM

    ok, knowing this fact, I want to show some kind of status indicator during the wait time.
    Unfortunately, putting af:statusIndicator does not work untill after entire page loads
    <?xml version="1.0" ?>
    <?Adf-Rich-Response-Type ?>
    <content action="/EmpApp/faces/displayEmployees.jspx?_adf.ctrl-state=5plp6ahes_72">
    <fragment><![CDATA[<span id="f1::postscript"><input type="hidden" name="javax.faces.ViewState" value="!-e8tyzkiuc"></span>]]>
    </fragment>
    <fragment>
    <![CDATA[<div id="afr::DlgSrvPopupCtnr::content" style="display:none"><div id="j_id12" style="display:none">
    <div style="top:auto;right:auto;left:auto;bottom:auto;width:auto;height:auto;position:relative;" id="j_id12::content">
    <div id="j_id13" class="x142"><div class="x157" _afrPanelWindowBackground="1"></div>
    <div class="x157" _afrPanelWindowBackground="1"></div><div class="x157" _afrPanelWindowBackground="1">
    </div><div class="x157" _afrPanelWindowBackground="1"></div>
    <table cellpadding="0" cellspacing="0" border="0" summary="" class="x146">
    <tr>
    <td class="p_AFResizable x148" id="j_id13::_hse"> </td>
    <td class="p_AFResizable x14a" id="j_id13::_hce"><table cellpadding="0" cellspacing="0" border="0" width="100%" summary=""><tr>
    <td><div id="j_id13::_ticn" class="x151"><img src="/EmpApp/afr/task_flow_definition.png" alt=""></div></td><td class="x14e" id="j_id13::tb">
    <div id="j_id13::_ttxt" class="xz8"></div></td><td>
    <div class="x153"><a href="#" onclick="return false" class="xz7" id="j_id13::close" title="Close"></a></div></td></tr></table></td><td class="p_AFResizable x14c" id="j_id13::_hee"> </td></tr><tr><td class="p_AFResizable x14j" id="j_id13::_cse"> </td>
    <td class="p_AFResizable x14g" id="j_id13::contentContainer">
    <div id="j_id13::_ccntr" class="x14h" style="width:700px;height:430px;position:relative;overflow:hidden;">
    <div id="j_id14" class="xne" style="position:absolute;width:auto;height:auto;top:0px;left:0px;bottom:0px;right:0px">
    <iframe _src="javascript:'<html&gt;<head&gt;<title/&gt;</head&gt;
    <body/&gt;
    </html&gt;'" src="javascript:''" frameborder="0" style="position:absolute;width:100%;height:100%">
    </iframe>
    </div></div></td><td class="p_AFResizable x14l" id="j_id13::_cee"> </td></tr><tr><td class="p_AFResizable x14n" id="j_id13::_fse"><div></div></td>
    <td class="p_AFResizable x14p" id="j_id13::_fce">
    <table cellpadding="0" cellspacing="0" border="0" width="100%" summary=""><tr>
    <td class="p_AFResizable x14u" id="j_id13::_fcc"></td><td align="left" valign="bottom"><div class="p_AFResizable x14y"><a tabIndex="-1" class="x14w" id="j_id13::_ree" title="Resize"></a></div></td></tr></table></td><td class="p_AFResizable x14r" id="j_id13::_fee">
    <div></div></td>
    </tr></table></div></div></div></div>]]>
    </fragment>
    <script-library>/EmpApp/afr/partition/gecko/default/opt/frame-SHEPHERD-PS1-9296.js</script-library>
    This is how it launches the taskflow-call, so there is no way to control this behaviour from the calling taskflow's jspx, feels very closed system,why ADF is not making this behavior Open by some kind of client listener,
    <script>
    <![CDATA[AdfDhtmlLookAndFeel.addSkinProperties({"AFPopupSelectorFooterStart":"x11b","AFPopupSelectorHeader":"x114","af|panelWindow-tr-open-animation-duration":"300","AFPopupSelectorHeaderStart":"x115","AFPopupSelectorContentEnd":"x119","AFPopupSelectorContent":"x117","af|panelWindow::resize-ghost":"x144","AFPopupSelectorContentStart":"x118","AFPopupSelectorFooter":"x11a","AFPopupSelectorFooterEnd":"x11c","AFPopupSelectorHeaderEnd":"x116","AFPopupSelector":"x110",".AFPopupSelector-tr-open-animation-duration":"200"});AdfPage.PAGE.addComponents(new AdfRichPopup('j_id12',{'_dialogURL':'/EmpApp/faces/adf.dialog-request?_adf.ctrl-state=5plp6ahes_76&_rtrnId=1285074907739&__ADFvDlg__=true','_inlineFrameId':'j_id14','_launchId':'r1:0:cb2','_panelWindowId':'j_id13','_rtnId':'1285074907739','contentDelivery':'immediate'}),new AdfRichPanelWindow('j_id13',{'modal':true,'resize':'on','stretchChildren':'first'}),new AdfRichInlineFrame('j_id14',{'source':'javascript:\'\x3chtml>\x3chead>\x3ctitle/>\x3c/head>\x3cbody/>\x3c/html>\''}));AdfPage.PAGE.clearMessages();AdfPage.PAGE.clearSubtreeMessages('r1');]]>
    </script>
    AdfDhtmlRichDialogService.getInstance().launchInline there is no way for me to put af:statusindicator for the wait time using this way
    <script>AdfDhtmlRichDialogService.getInstance().launchInline('j_id12');*</script>
    </content>

  • CAF entity coupled with application service activation problem

    Hi Experts,
    I have an existing CAF entity service to which i had added an additional attribute.
    I have the assosiated application application setdataservice,which has a custom method to add data to the entity service (mass upload).
    In the custom method i have added the code to set data for the addtional attribute.
    I had generated the project and build the dc locally,
    The buid is fine with no error's .
    But when I activate the request the activity fails with "cannot resolve symbol" for the new method even though the local build is sucessful.
    Any idea why this is occuring,
    ERROR: /NWDI/usr/sap/DIP/JC37/j2ee/cluster/server0/temp/CBS/c6/.B/28783/DCs/spe.com/portal/prc_core/ejbmodule/_comp/ejbModule/com/spe/portal/prc_core/appsrv/setdataservice/SetDataServiceBean.java:3434: cannot resolve symbol [javac] ERROR: symbol : method setFixPromvalue (double) [javac] ERROR: location: class com.spe.portal.prc_core.besrv.int_promocodes.Int_PromoCodes [javac] ERROR: promoCode.setFixPromvalue(fixPromValue); [javac] ERROR: ^ [javac] 1 error Error: /NWDI/usr/sap/DIP/JC37/j2ee/cluster/server0/temp/CBS/c6/.B/28783/DCs/spe.com/portal/prc_core/ejbmodule/_comp/gen/default/logs/build.xml:111: Compile failed; see the compiler error output for details. at org.apache.tools.ant.taskdefs.Javac.compile(Javac.java:938) at org.apache.tools.ant.taskdefs.Javac.execute(Javac.java:758) at org.apache.tools.ant.UnknownElement.execute(UnknownElement.java:275) at org.apache.tools.ant.Task.perform(Task.java:364) at org.apache.tools.ant.Target.execute(Target.java:341) at org.apache.tools.ant.Target.performTasks(Target.java:369) at org.apache.tools.ant.Project.executeTarget(Project.java:1214) at com.sap.tc.buildplugin.techdev.ant.util.AntRunner.run(AntRunner.java:112) at com.sap.tc.buildplugin.DefaultAntBuildAction.execute(DefaultAntBuildAction.java:61) at com.sap.tc.buildplugin.DefaultPlugin.handleBuildStepSequence(DefaultPlugin.java:213) at com.sap.tc.buildplugin.DefaultPlugin.performBuild(DefaultPlugin.java:190) at com.sap.tc.buildplugin.DefaultPluginV3Delegate$BuildRequestHandler.handle(DefaultPluginV3Delegate.java:66) at com.sap.tc.buildplugin.DefaultPluginV3Delegate.requestV3(DefaultPluginV3Delegate.java:48) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25) at java.lang.reflect.Method.invoke(Method.java:324) at com.sap.tc.buildtool.v2.impl.PluginHandler2.maybeInvoke(PluginHandler2.java:350) at com.sap.tc.buildtool.v2.impl.PluginHandler2.request(PluginHandler2.java:102) at com.sap.tc.buildtool.v2.impl.PluginHandler2.build(PluginHandler2.java:76) at com.sap.tc.buildtool.PluginHandler2Wrapper.execute(PluginHandler2Wrapper.java:58) at com.sap.tc.devconf.impl.DCProxy.make(DCProxy.java:1723) at com.sap.tc.devconf.impl.DCProxy.make

    Hi again,
    I've deleted the two methods (or just commented them) I had and have readded them by choosing the Override Method option in the Source menu of JDeveloper 10.1.3. I've addet the methods prepareForActivation and prepareForPassivation too.
    When I execute the application, with breakpoints into the four methods (I attach the code below), I see that it prepares for pasivation and pasivates. When I do any action, I see it prepares for activation, but the method activateState is never reached.
    I have no other overriden methods in the class. Any idea of why the activateState doesn't execute?
    Thanks,
    Carles Biosca
    BBR Ingeniería de Servicios
       protected void activateState(Element element) {
           super.activateState(element);
       protected void passivateState(Document document, Element element) {
           super.passivateState(document, element);
       protected void prepareForActivation(Element element) {
           super.prepareForActivation(element);
       protected void prepareForPassivation(Document document, Element element) {
           super.prepareForPassivation(document, element);
       }Message was edited by:
    cbios

  • I am trying to convert a PDF into a document that can be edited - it's a client feedback form. I am using Adobe forms Central and it's saying that it can't use my document.

    I am trying to convert a PDF into a document that can be edited - it's a client feedback form. I am using Adobe forms Central and it's saying that it can't use my document.

    Hi Michelle ,
    We are extremely sorry that you have had a bad experience with Adobe .
    As far as your issue is concerned ,Acrobat generally prompts for internet connection as it is required to activate the product before you could use it comfortably .Once the product is activated or licensed you would be able to use the software offline .
    This could be the possible reason you are experiencing this .Please check if you have done so and still facing this .And if you have not ,you need to license/activate your product by typing in your credentials ,i.e Adobe ID and password .
    You could also refer the following link to get updated about the activation of your product .
    https://helpx.adobe.com/x-productkb/policy-pricing/activation-deactivation-products.html#a ctivate-how-to
    Regards
    Sukrit Dhingra

  • Preview's "Import from Scanner" documents -Text Tool cannot be activated.

    Any documents created within 10.6 and printed/saved as a pdf file can be opened in Preview and the Text Tool activated allowing selection of text and copy/paste or text highlight actions made.
    Using OSX 10.6.7 Preview application using the File > Import from Scanner (Epson V500 scanner), the scanned document cannot activate the Text Tool. Only the Move and Select tools cans be selected, activated and used. It's as if Preview's document scanned image using Format-PDF, the scans appear to be an image scan of the text/document into a PDF file and not using OCR to allow a Text Edit.
    I can scan a printed document using Acrobat and my Epson scanner and the text tool within Acrobat or Adobe Reader works fine.
    Is this a shortcoming within Preview using Format-PDF that the Text tool cannot be activated or used on Preview scanned documents containing text? If so why is Preview's text tool even offered?
    If Text Tool can be used on a Preview scanned document…How ? Please!

    After further research I have been able to answer my own question regarding-
    "Preview's "Import from Scanner" documents -Text Tool cannot be activated."
    In Apples Mac 101 Support article entitled: "Using a scanner (Mac 10.6) last modified on March 15, 2011, states: "Item 6. Click Scan to scan. Note: The scanned items will become JPEG images with 300 dpi"
    So there it is…Any item (or printed document) scanned under Preview using the selected Format-PDF will be scanned as a JPEG image.
    That' s why the Text Tool cannot be activated, it's not being scanned as text but as an image.
    If a document is created within the computer via Pages, Text Edit, Word etc. and saved using the "Print-PDF-Save asPDF" file option, the already digitized text is saved within the PDF file and can then the PDF file can be opened in Preview and the Text Tool will be available for use to copy/paste or highlight.
    Charlie...76 years old and still Mac'ing

  • HT4622 Collaborating with GarageBand using iPads

    A friend and I want to start collaborating with GarageBand using our iPads. What is the easiest way to share project files so they can be worked on by either of us? Thanks for any help.

    The easiest way would be to share the GarageBand Project to iCloud and and access it from iCloud. Only that would require you both to use the same AppleID with iCloud, and that is not recommended.
    The other way to transfer projects between iPads requires a detour to your computers. If you both have macs, share your GarageBand project to iTunes on your mac, then copy it to your friend's mac and share it to your friend's iPad using your friend's iTunes library.
    How to share GB projects from IOS devices to Macs is described here:
    Share GarageBand songs
    See the paragraph:
    Send a GarageBand song to iTunes:
    Tap the My Songs button, then tap Edit.
    Tap the song you want to send, then tap the Share button .
    Tap Share Song via iTunes.
    Do one of the following:
    To send the song as a GarageBand song, tap GarageBand.
    To send the song as an audio file, tap iTunes, then tap Share.
    After you tap the iTunes icon, you can choose the quality of the file GarageBand sends to iTunes. You can also add artist, composer, and title information that appears in iTunes.
    Sync your iPad with your computer.In iTunes, the exported song appears in the Documents list in the File Sharing area when GarageBand is selected.
    Do one of the following:
    Drag the song from the GarageBand Documents list to the Finder.
    Click Save As, navigate to the location where you want to save the song, then click Save.
    You can open the GarageBand song in GarageBand on your Mac, or play the audio file in iTunes (or any compatible audio application) on your computer. GarageBand songs cannot be opened on a Windows computer.
    If your friend has a PC and not a mac, it will be more involved, see: Re: Loading a .band file back into Garageband (iPad 2)
    Regards
    Léonie

Maybe you are looking for

  • Lan set up on powerbook 520c

    Hi My daughter has a Powerbook 520c which we would like to connect to my lan network running Linux and winxp (if at all possible). She has a farallon adaptor to connect the cable but we have no idea where to start or even if we have the software inst

  • IPAD2 Booting Problem during IOS 6.1.2 Updating Process

    IPAD2 no longer boot during the IOS 6.1.2 updating process.  It kept displaying the Apple icon over and over after it attempted to install (the highlighted bar was never able to completed the sequence till the end of the band).  Have tried hard start

  • CATS substitution for approval

    Hi Team, Need your input. For instance, a manager wants to put substitution to another employee for  approving Overtime entries in CATS as he is going on leave. Is it possible? Workitems can be substituted but not sure about CATS Regards, Vivek

  • Installing powerbook HDD into an enclosure

    I purchased the Vantec NexStar SX enclosure from Newegg and it's the right interface and size (2.5 IDE) but for some reason my Powerbook HD won't fit into it. There's a weird piece on the board of the enclosure that leaves the back end sticking up. A

  • Does xMII have encoding and decoding functuinality?

    hello, does xMII have encoding and decoding functionality in xMII application level? or xMII does not have application level encoding and decoding and users just use SSL technology or network device level encode / decode technology when they want to