Express Document while Copy&Paste Activity or Copy sim to Operative Project

Hi Experts,
Getting Express document with error info"SAPSQL_ARRAY_INSERT_DUPREC" while copying simulation to operative project.
Getting the same express document /short dump while copy and paste the Activity & Activity Elements in an Operative Project  too
Any Help would be appreciated.
Thanks
psconsultant

Hi Virendra,
Thanks. This is seems to be an SAP bug. When trying to add or copy version to Operative, system says there already records exists in EVOP.
I have a OSS open for the same but didn't get a proper reply so far..
Thanks
psconsultant

Similar Messages

  • Copy paste activity should be avoided.

    Hi Freinds
    This has been discussed many a times in the forum and many members have already requested not to copy and paste the answers posted by other members.
    But, unfortunately it is not followed. Though many-a -times I have seen this copy paste activities but I have not reacted thinking that members will not repeate the same activity in future.
    To-day, I found that Mr. Sanil Kailash Bhandari has copied the answer posted by me on 19th Nov 2008 and pasted in this forum (Billing issue question).
    Atleast you could have changed the language Mr Bhandari and you could have interpreted in your own word, beacuse it is nothing like that, I have invented something new.
    Many members can easily answer the same question but we should answer in our own language and it gives real pleasure if our (own) answer has solved somebody's problem and you will never get that
    satisfaction from copy paste activity.
    Once again I will request Mr.Lakshmipati to kindly take care of this typa of activities.

    Thank you Mr.Lakshmipati for immediately responding to my concern !
    Infact,it is a concern of the whole forum, I feel.
    I feel that, instead of pasteing same answers, we should come out with more correct and varified answers next times.
    At the same time, I request the members to first search the forum before posting a question and if not found the satisfactory answer then only post the question in a new thread.
    In the process, we need not have to request the members to avoid copy-paste activities and secondly a  number of meaningful  and new suggestions will be posted by different contributors.
    Dr.Lakshmipati, I am not sending the link and details to you as I do not want that any disciplinary action should be taken on any of our member.
    My sole purpose was to  make an appeal to all of us to avoid this type of activity.
    Regards
    Pradyumna

  • How to standard network / activity and std wbs to operative project

    dear all,
    i want to include a standard network that has assignments to standard WBS elements. However, to assign std network from templete area i got dialog box (include standard nework) which contains:
    (You want to include a standard network that has assignments to standard WBS elements. However, the selected WBS element does not correspond to the standard WBS element.)
    in below the above message there are 2 button i.e.
    1. Copy Assignment
    2. Ignore Assignment
    in both the above button selection i am not able to bring assigned (std WBSe).
    After all my finding i am not able to bring activity assigned WBS elements. Kindly help and provide information to resolve the problum.
    saqib usman

    done

  • Copy/paste full row, full column, a cell on datagrid using MVVM?

    What is the best way to implement on datagrid? As I am new on this, I had some researches but I am confused because there are some complicated implementations and easy ones? I try to understand the best way.
    Adding simply selection mode and selection Unit doesnt help. Because it only copies the row but I cant paste it simply as a new row.
     SelectionMode="Extended" SelectionUnit="FullRow" >
    this approach in the article looks old to me. Not sure if there is anything new and much easier with newest framework. I am using MVVM light in my project.
    Attached is the sample project similar to my original project. can you please recommend me the best way for the following?
    - Full Row(s) copy-paste
    -1 or multiple columns copy-paste (optional)
    - cell copy-paste
    "Debugging is twice as hard as writing the code in the first place. Therefore, if you write the code as cleverly as possible, you are, by definition, not smart enough to debug it."

    I found the code out my project.  I last looked at this back in 2011.
    This is a custom control inheriting from datagrid.
    I don't recall where I got this code from originally.
    public class CustomDataGrid : DataGrid
    static CustomDataGrid()
    CommandManager.RegisterClassCommandBinding(
    typeof(CustomDataGrid),
    new CommandBinding(ApplicationCommands.Paste,
    new ExecutedRoutedEventHandler(OnExecutedPaste),
    new CanExecuteRoutedEventHandler(OnCanExecutePaste)));
    #region Clipboard Paste
    private static void OnCanExecutePaste(object target, CanExecuteRoutedEventArgs args)
    ((CustomDataGrid)target).OnCanExecutePaste(args);
    /// <summary>
    /// This virtual method is called when ApplicationCommands.Paste command query its state.
    /// </summary>
    /// <param name="args"></param>
    protected virtual void OnCanExecutePaste(CanExecuteRoutedEventArgs args)
    args.CanExecute = CurrentCell != null;
    args.Handled = true;
    private static void OnExecutedPaste(object target, ExecutedRoutedEventArgs args)
    ((CustomDataGrid)target).OnExecutedPaste(args);
    /// <summary>
    /// This virtual method is called when ApplicationCommands.Paste command is executed.
    /// </summary>
    /// <param name="args"></param>
    protected virtual void OnExecutedPaste(ExecutedRoutedEventArgs args)
    // parse the clipboard data
    List<string[]> rowData = ClipboardHelper.ParseClipboardData();
    bool hasAddedNewRow = false;
    // call OnPastingCellClipboardContent for each cell
    int minRowIndex = Items.IndexOf(CurrentItem);
    int maxRowIndex = Items.Count - 1;
    int minColumnDisplayIndex = (SelectionUnit != DataGridSelectionUnit.FullRow) ? Columns.IndexOf(CurrentColumn) : 0;
    int maxColumnDisplayIndex = Columns.Count - 1;
    int rowDataIndex = 0;
    for (int i = minRowIndex; i <= maxRowIndex && rowDataIndex < rowData.Count; i++, rowDataIndex++)
    if (CanUserPasteToNewRows && CanUserAddRows && i == maxRowIndex)
    // add a new row to be pasted to
    ICollectionView cv = CollectionViewSource.GetDefaultView(Items);
    IEditableCollectionView iecv = cv as IEditableCollectionView;
    if (iecv != null)
    hasAddedNewRow = true;
    iecv.AddNew();
    if (rowDataIndex + 1 < rowData.Count)
    // still has more items to paste, update the maxRowIndex
    maxRowIndex = Items.Count - 1;
    else if (i == maxRowIndex)
    continue;
    int columnDataIndex = 0;
    for (int j = minColumnDisplayIndex; j <= maxColumnDisplayIndex && columnDataIndex < rowData[rowDataIndex].Length; j++, columnDataIndex++)
    DataGridColumn column = ColumnFromDisplayIndex(j);
    column.OnPastingCellClipboardContent(Items[i], rowData[rowDataIndex][columnDataIndex]);
    // update selection
    if (hasAddedNewRow)
    UnselectAll();
    UnselectAllCells();
    CurrentItem = Items[minRowIndex];
    if (SelectionUnit == DataGridSelectionUnit.FullRow)
    SelectedItem = Items[minRowIndex];
    else if (SelectionUnit == DataGridSelectionUnit.CellOrRowHeader ||
    SelectionUnit == DataGridSelectionUnit.Cell)
    SelectedCells.Add(new DataGridCellInfo(Items[minRowIndex], Columns[minColumnDisplayIndex]));
    /// <summary>
    /// Whether the end-user can add new rows to the ItemsSource.
    /// </summary>
    public bool CanUserPasteToNewRows
    get { return (bool)GetValue(CanUserPasteToNewRowsProperty); }
    set { SetValue(CanUserPasteToNewRowsProperty, value); }
    /// <summary>
    /// DependencyProperty for CanUserAddRows.
    /// </summary>
    public static readonly DependencyProperty CanUserPasteToNewRowsProperty =
    DependencyProperty.Register("CanUserPasteToNewRows",
    typeof(bool), typeof(CustomDataGrid),
    new FrameworkPropertyMetadata(true, null, null));
    #endregion Clipboard Paste
    I used to be a points hound.
    But I'm alright nooooooooooooooooooooooooooooOOOOOWWWW !

  • Copied/pasted group of components lose many properties

    (Xcelsius 2008 SP1 FP1 5.1.1.0 (Build 12,1,1,344), Windows XP SP2)
    After copying/pasting 120 or so grouped components all at once, the Value, Check box and Toggle components seemed to lose most of their properties.  The main container within the group of copied objects is a panel container that included nested groups of labels, rectangles, values, check boxes and toggles.
    Specific example: All Value components originally had a title position of "Left" and specific font name/sizes.  They also had specific X axis offsets.  And of course, each was pointed to a specific spreadsheet cell.  The copies, however, reverted to the respective defaults for all properties minus the text of the titles.  (This is of course not an exhaustive list of the affected components/properties).
    I have already had experience copying smaller groups of components and did not see this effect, so I wonder if there is a threshold of some kind here.

    >
    NFN Purnima wrote:
    > There is no exact threshold for copy pasting components.When copy pasted in large numbers some components might lose their original bindings and may either experience cosmetic changes in label and title position offset or like you experienced would revert back to their original settings.I would recommend copy pasting in smaller groups to maintain consistency.
    > Thanks,
    > Purnima
    Thank you, Purnima.  Despite my fears, copying and pasting smaller groups within the larger nesting appears to be working out pretty well, so this may become a non-issue for me.  Nevertheless, it would be great if a future version of Xcelsius would support larger groups within a copy and paste.

  • Copy / Paste for the key of a Wifi connection on N...

    Hello,
    It would be great to be able to paste a password for the key of a Wifi network.
    When a key is more than 60 char long and has a lot of special characters, it is really hard to type (with a numeric key because it is not possible to use  the azerty keyboard on this screen).
    Also, to be able to select some text from a Txt file would be great (so I can copy a text file in the memory card of the GSM and then I can paste it
    Is there a way to do it?
    Thank you
    Marc

    Press and hold the 'pencil' icon and at the same time, push the cursor towards the text. You'll be able to see the text being highlighted. Once you've completely highlighted the text, you'll be able to see 2 options on screen: Copy / Paste. Select 'Copy' (with your finger still pressing the 'pencil' button.) Now let go of the pencil button, and press and hold it again, then select 'Paste'
    You can even exit the application that you were in and start a new one and paste your copied text there. The text will still be stored in memory until u either select another text to copy or restart the phone.
    Was this post helpful? If so, please click on the Kudos! star to the right. Thank you!

  • I have a mac running iPhoto, please advise when I copy the photo to add to a document while creating a pictorial when it is pasted it turns black, I have tried many different methods to over come the issue but unsuccessful

    My 6 month old Mac is using iPhoto. Please advise when I copy the photo from iPhoto to add to a word document while creating a pictorial artical as soon as it  is pasted the picture it turns black, I have tried many different methods to over come the issue but unsuccessful. In the past the iPhoo was default for direct download from a card, This I have now changed but in the meantime there are photographs that I need to use. I understand window completly but still on the nursery steps with Mac.
    Please advise Heather

    As I said before I am reluctanct to delete and reinstall the iPhoto as I only have the one copy of the file i am using stored in iphoto file and I caint loose them.
    All storage hardware and all computers will fail.  Volumes will get corrupted.  Mistakes will happen.
    Please learn from our past mistakes and from our past data losses: please have and keep regular backups.
    Either via Time Machine (which is marvelously transparent, and very easy), or backups created via some other mechanisms and tools.  Old Toad recommends an external disk, and that's very effective.  If this is a portable Mac, then Time Capsule devices are also very handy, as you don't have to remember to connect the backup device; so long as the Mac is within wireless range of the Time Capsule, backups will happen.
    Time Machine backups can also be used to replace your files or even to upgrade to a new Mac, should your computer be lost or stolen, or should your computer or your storage fail.
    If you have not already seen these, Mac Basics and Find Out How could be interesting.
    As for your photos...   I wouldn't expect this to be iPhoto and wouldn't go for an iPhoto reinstall as the first step, I'd tend to wonder if this is a bug or feature in Microsoft Word, or possibly a format incompatibility with what Office supports.  iPhoto organizes and edits the photos that are stored in your ~/Pictures media directory.  Try using iWork (if you have that) or some other tool (Apple Mail) that accepts and processes photos, and see if you can localize the problem.  Depending on the image formats used, also see if exporting the picture from iWork into a jpeg-format picture — something other than the image format you're currently using with the Microsoft Office imports — works.  (FWIW, I use iWork for reading and writing Microsoft Office documents as well as Pages and Keynote files, and have been using iPhoto with those and other tools for many years, and haven't encountered these blacked-out images.)

  • How to copy-paste frames from one document to other with there respective layers intact?

    Hi All,
         I am facing an issue while copy paste frames from one document to other. I have a 3 frames in first documents each one on different layer. First document has 3 layers. The second document too have 3 layers , I am copying frames from first document to scrapdata using 'ICopyCmdData ' and 'kCopyCmdBoss'. I have 'Paste Remembers Layers' menu 'Checked' on Layer panel. I am using following function to copy frames to scrapdata.
    bool16 copyStencilsFromTheTemplateDocumentIntoScrapData(PMString & templateFilePath)
         bool16 result = kFalse;
        do
            SDKLayoutHelper sdklhelp;
            PMString filePathItemsToBeCopiedFrom(templateFilePath);  //("c:\\test\\aa.indt");
            IDFile templateIDFile(filePathItemsToBeCopiedFrom);
            UIDRef templateDocUIDRef = sdklhelp.OpenDocument(templateIDFile);
            if(templateDocUIDRef == UIDRef ::gNull)                 
                break;
            ErrorCode err = sdklhelp.OpenLayoutWindow(templateDocUIDRef);
            if(err == kFailure)                 
                break;
            InterfacePtr<IDocument> templatedoc(templateDocUIDRef,UseDefaultIID());
            if(templatedoc == nil)               
                break;
            InterfacePtr<ISpreadList>templateSpreadUIDList(templatedoc,UseDefaultIID());
            if(templateSpreadUIDList == nil)                  
                break;
            IDataBase * templateDocDatabase = templateDocUIDRef.GetDataBase();
            if(templateDocDatabase == nil)                  
                break;
            UIDRef templateDocFirstSpreadUIDRef(templateDocDatabase, templateSpreadUIDList->GetNthSpreadUID(0));
            InterfacePtr<ISpread> templateSpread(templateDocFirstSpreadUIDRef, IID_ISPREAD);
            if(templateSpread == nil)                 
                break;
            UIDList templateFrameUIDList(templateDocDatabase);
            if(templateSpread->GetNthPageUID(0)== kInvalidUID)                  
                break;      
            templateSpread->GetItemsOnPage(0,&templateFrameUIDList,kFalse,kTrue);  
            InterfacePtr<ICommand> copyStencilsCMD(CmdUtils::CreateCommand(kCopyCmdBoss));
            if(copyStencilsCMD == nil)                
                break;
            InterfacePtr<ICopyCmdData> cmdData(copyStencilsCMD, IID_ICOPYCMDDATA);
            if(cmdData == nil)                 
                break;
            // Copy cmd will own this list
            UIDList* listCopy = new UIDList(templateFrameUIDList);
            InterfacePtr<IClipboardController> clipboardController(gSession,UseDefaultIID());
            if(clipboardController == nil)              
                break;
            ErrorCode status = clipboardController->PrepareForCopy();
            if(status == kFailure)                  
                break;
            InterfacePtr<IDataExchangeHandler> scrapHandler(clipboardController->QueryHandler(kPageItemFlavor));
            if(scrapHandler == nil)                 
                break;
            clipboardController->SetActiveScrapHandler(scrapHandler);
            InterfacePtr<IPageItemScrapData> scrapData(scrapHandler, UseDefaultIID());
            if(scrapData== nil)                
                break;
            UIDRef parent = scrapData->GetRootNode();
            cmdData->Set(copyStencilsCMD, listCopy, parent, scrapHandler);
            if(templateFrameUIDList.Length() == 0)       
                return kFalse;      
            else      
                status = CmdUtils::ProcessCommand(copyStencilsCMD);    
            if(status != kFailure)
              result = kTrue;
            sdklhelp.CloseDocument(templateDocUIDRef,kFalse,K2::kSuppressUI, kFalse);
        }while(kFalse);
        return result;
    After this I need to close first document. Now I am opening the second document from indt file which has same number of layers as first document. I am trying to paste frames from scrap data to second document using '' 'ICopyCmdData ' and 'kPasteCmdBoss' as shown in follwoing function
    bool16 pasteTheItemsFromScrapDataOntoOpenDocument(UIDRef &documentDocUIDRef )
        bool16 result = kFalse;
        do
               InterfacePtr<IClipboardController> clipboardController(gSession,UseDefaultIID());
                if(clipboardController == nil)
                    break;
               InterfacePtr<IDataExchangeHandler> scrapHandler(clipboardController->QueryHandler(kPageItemFlavor));
               if(scrapHandler == nil)               
                    break;
               InterfacePtr<IPageItemScrapData> scrapData(scrapHandler, UseDefaultIID());
                if(scrapData == nil)
                   break;
                     //This will give the list of items present on the scrap
                UIDList* scrapContents = scrapData->CreateUIDList();
                if (scrapContents->Length() >= 1)
                    InterfacePtr<IDocument> dataToBeSprayedDocument(documentDocUIDRef,UseDefaultIID());
                    if(dataToBeSprayedDocument == nil)
                       break;
                    InterfacePtr<ISpreadList>dataToBeSprayedDocumentSpreadList(dataToBeSprayedDocument,UseDef aultIID());
                    if(dataToBeSprayedDocumentSpreadList == nil)
                         break;
                    IDataBase * dataToBeSprayedDocDatabase = documentDocUIDRef.GetDataBase();
                    if(dataToBeSprayedDocDatabase == nil)
                         break;    
                    UIDRef spreadUIDRef(dataToBeSprayedDocDatabase, dataToBeSprayedDocumentSpreadList->GetNthSpreadUID(0));               
                    SDKLayoutHelper sdklhelp;
                    UIDRef parentLayerUIDRef = sdklhelp.GetSpreadLayerRef(spreadUIDRef);
                    InterfacePtr<IPageItemScrapData> localScrapData(scrapHandler, UseDefaultIID());
                    if(localScrapData == nil)
                        break;
                    if(parentLayerUIDRef.GetUID() == kInvalidUID)
                        break;
                    InterfacePtr<ICommand> pasteToClipBoardCMD (CmdUtils::CreateCommand(kPasteCmdBoss));
                    if(pasteToClipBoardCMD == nil)
                        break;
                    InterfacePtr<ICopyCmdData> cmdData(pasteToClipBoardCMD, UseDefaultIID());
                    if(cmdData == nil)
                        break;
                    if(scrapContents == nil)
                        break;               
                    PMPoint offset(0.0, 0.0);
                    cmdData->SetOffset(offset);
                    cmdData->Set(pasteToClipBoardCMD, scrapContents, parentLayerUIDRef );
                    ErrorCode status = CmdUtils::ProcessCommand(pasteToClipBoardCMD);
                    if(status == kSuccess)
                        CA("result = kTrue");
                        result = kTrue;
                }//end if (scrapContents->Length() >= 1)       
        }while(kFalse);
        return result;
         Here in above function its required to set Parent Layer UIDRef and because of this all frames are getting paste in one layer.
    Is there any way we can paste frame in there respective layers?
         Also I need to work this code with CS4 server and desktop indesign.
    Thanks in advance,
    Rahul Dalvi

    Try,
    // dstDoc must be FrontDocument
    InterfacePtr<ILayoutControlData> layoutData(Utils<ILayoutUIUtils>()->QueryFrontLayoutData());
    InterfacePtr<ICommand> createMasterFromMasterCmd(CmdUtils::CreateCommand(kCreateMasterFromMasterCmdBoss));
    createMasterFromMasterCmd->SetItemList(UIDList(srcMasterSpreadUIDRef));
    InterfacePtr<ILayoutCmdData> layoutCmdData(createMasterFromMasterCmd, UseDefaultIID());
    layoutCmdData->Set(::GetUIDRef(layoutData->GetDocument()), layoutData);
    CmdUtils::ProcessCommand(createMasterFromMasterCmd);

  • How to copy paste a table structure from word document into Text Field [field format Rich Text]

    In our current implementation we have a Blank page with Text Field [field format Rich Text] on generated PDF Document.
    Once the PDF document is generated, user can copy paste content form any word/rtf document to into the Text Field.
    Pasted content retains all text formatting [Bold, Italic, Underline, Indentation] except the Table format. Text Field is removing table metadata from the content and converting it into plant text.
    Is there anyway to copy paste table structure as it is from word document into Text Field?

    Hi,
    I don't think you can! While you can paste formatted text into the rich text field, the table metadata means nothing to the textfield.
    Niall

  • Office365 macbook air while copy paste and change font to tahoma forarded message remain with different fonts and size not accepting change

    office365 macbook air while copy paste and change font to tahoma forarded message remain with different fonts and size not accepting change
    mac yosemite
    office365

    Also here's the log before it happened. As you can see there is no activity from 9:48 to 10:00 am when the sound occurred.
    23/02/2014 9:48:12.792 am ntpd[52]: FREQ state ignoring -0.145411 s
    23/02/2014 9:48:15.258 am WindowServer[96]: _CGXHWCaptureWindowList: No capable active display found.
    23/02/2014 9:48:20.000 am kernel[0]: AppleCamIn::systemWakeCall - messageType = 0xE0000280
    23/02/2014 9:48:20.000 am kernel[0]: ARPT: 61.319378: AirPort_Brcm43xx::powerChange: System Sleep
    23/02/2014 9:48:20.000 am kernel[0]: ARPT: 61.319390: wl0: powerChange: *** BONJOUR/MDNS OFFLOADS ARE NOT RUNNING.
    23/02/2014 9:48:20.000 am kernel[0]: AppleCamIn::systemWakeCall - messageType = 0xE0000340
    23/02/2014 10:00:04.000 am bootlog[0]: BOOT_TIME 1393167604 0
    23/02/2014 10:00:06.000 am syslogd[17]: Configuration Notice:
    ASL Module "com.apple.appstore" claims selected messages.
    Those messages may not appear in standard system log files or in the ASL database.
    23/02/2014 10:00:06.000 am syslogd[17]: Configuration Notice:
    ASL Module "com.apple.authd" sharing output destination "/var/log/system.log" with ASL Module "com.apple.asl".
    Output parameters from ASL Module "com.apple.asl" override any specified in ASL Module "com.apple.authd".

  • How to import multiple XML files into one inDesign document without copy/paste ?

    I use InDesign CS6, and I have several XML files with the same structure. Only the data are different.
    I created  an Indesign layout with some tagged placeholder frames on merge mode, for automated layout.
    Today for each XML file I have to create a new InDesign document to import the XML. Everything works fine. Then in order to have all Indesign layouts one after the other into a single Indesign layout, I have to use the copy/paste function.
    I mean for example, copy the contents of all documents to the first one. Or add pages of other documents to the first one, then delete spaces between each page.
    So my question is the following:
    How to repeat this process without copy/paste function, knowing that the
    number of XML files could be unknown.
    Thank you very much for your answer.

    Yes, effectively I would like to catalogue the files into one collection so i can save as one PDF and Print as one.:)
    I know I could save each AI as a pdf them then merge the pdf's together in acrobat, but I have nearly 100 files so would feel more comfortable seeing them all together before print / saving.
    My concern is that if I insert them in Ai, will the file resolution reduce? and will the ai still be editable and would it update the indesign file?
    Thanks for the quick reply

  • HT201301 How do I "Select All" in a Pages document? I would like to copy and past more than one paragraph at a time.

    How do I "Select All" in a Pages document. I would like to copy and paste more than one paragraph at a time.

    I just tab and hold untill the loop shows then let go and I get the menu with select all in it

  • Missing functionality.Draw document wizard - delete/add rows and copy/paste

    Scenario:
    My customer is using 2007 SP0 PL47 and would like the ability to change the sequence of the rows of the draw document wizard and delete/add multiple rows (i.e. when you create an AR Invoice copied from several deliveries).
    This customer requires the sequence of items on the AR invoice to be consistent with the sequence on the original sales order including text lines and subtotals. Currently we cannot achieve this when there are multiple deliveries.
    Steps to reproduce scenario:
    1.Create a Sales order with several items and use text lines, regular and subtotals.
    2.Create more than one delivery based on the sales order and deliver in a different sequence than appears on the sales order.
    3.Open an AR Invoice and u2018Copy fromu2019 > Deliveries. Choose multiple deliveries. Choose u2018Customizeu2019.
    4.Look at the sequence of items on the Invoice. How can the items and subtotals and headings be moved around so they appear in the same sequence as on the sales order?
    Current Behaviour:
    In SAP B1 itu2019s not possible to delete or add more than one row at a time on the AR Invoice or Draw Document Wizard.
    Itu2019s not possible to copy/paste a row on the AR Invoice or Draw Document Wizard.
    Itu2019s not possible to change the sequence of the rows using the Draw Document Wizard.
    Business Impact: This customer is currently spending a lot of time trying to organize the AR invoice into a presentable format. They have to go through the invoice and delete the inapplicable rows one by one (because SAP B1 does not have the ability to delete multiple lines at a time) and also has to manually delete re-add rows to make it follow the same sequence as the sales order.
    Proposals:
    Enable users to delete or add more than one row at a time on the AR Invoice or Draw Document Wizard.
    Enable users to copy/paste rows on the AR Invoice or Draw Document Wizard.

    Hi Rahul,
    You said 'It is not at all concerned with Exchange rate during GRPO...' If that is the case how does the Use Row Exchange Rate from Base Document in the draw document wizard work? Does this mean 1 GRPO : 1 AP Invoice so I can use the base document rate?
    How should I go about with transactions like these? That is adding an AP Invoice from multiple GRPO's having different exchange rates. What I am trying to capture here is that in the AP Invoice, base document rates should be used in the row item level and not the current rate when adding the invoice.  
    Thanks,
    Michelle

  • I installed Windows 7 in my Macbook pro, I can access Windows data in Mac, but I can't copy and delete it. and the same case while i am working in Windows. Could you please guide me if there is any solution, where I could copy/paste/delete my data.

    I installed Windows 7 in my Macbook pro, I can access Windows data in Mac, but I can't copy and delete it. and the same case while i am working in Windows. Could you please guide me if there is any solution, where I could copy/paste/delete my data.

    OS X can natively read NTFS of Windows, but not write to it.
    Windows can't read or write to HFS+ of OSX, and that's a good thing from a security standpoint.
    Ideally if you share files between operating systems you should have a FAT/MSDOS formated USB key or hard drive. (exFAT external drive if any of your files are over 4GB in size) both these formats are universal for OS X or Windows.
    If you install software into Windows and OS X to read each others formats, then you have to pay to update/upgrade it deal with headaches.
    If you swtich between Windows and OS X a lot, don't need full hardware performance for Windows, you may consider installing virtual machine software like VMFusion or Parallels which can take a copy of your Windows in Bootcamp and place it into OS X as a file then run that copy of Windows in a window in OS X like so.
    Advantage here is you run most of your light weight Windows programs like this at the same time as OS X.
    Benefit is you can run just about any Windows or Linux version and OSX server editions (not client versions)
    Bootcamp only allows Windows 7, that's it now.
    You'll also be interested in two fre pieces of software, Carbon Copy Cloner and Winclone on macupdate.com.
    CCC clones OS X partition and Winclone clones the Bootcamp partition. Valuable for you.
    Good Luck

  • How do I copy, paste Word document into Adobe Reader PDF?

    A client is not using Microsoft Word, but typing text for my edits into Adobe PDF. Too many edits, too cumbersome for me. After converting PDF to Word, I edit using various ink colors. How can I copy, cut, paste edited WORD document into her PDF? Other than by using "paper clip" or "attachment" features?

    Thanks, graffiti...So, can't copy, paste Word document into PDF?
    What is the "full version" of Adobe vs my Adobe Reader? Adobe Acrobat?
    I do have a cloud, but doesn't help with my editing problem.

Maybe you are looking for

  • Error while deploying in SDM

    Hi all, I am getting an error while i try to deploy something in the SDM. The error is: "<b>Cannot login to the SAP J2EE Engine using user and password as provided in the Filesystem Secure Store. Enter valid login information in the Filesystem Secure

  • Building PHP 5.2.5 and MySQL (Cannot find MySQL header files under /usr.)

    Hi, we are in big trouble here. On Mac OS X 10.4 it was no problem building PHP with additional modules. Unfortunately it´s not working this time. This is the error message i got when building php: checking for mSQL support... no checking for MSSQL s

  • Are there any JDBC Drivers for SQL Server 2000?

    Hello Everyone, Any news on the JDBC drivers for SQL Server 2000? I know it is not certified yet but is there a date when it will be. Which versions of WLS will they work with? Any help is appreciated. Sincerely, --Luis

  • Cannot decide which pattern reflects on my application

    I have a video-club management application implemented in Java, in which i followed the relatively general MVC architectural pattern. 1. my model consists of java classes mapped to database tables via Hibernate 2. my view consists of various frames i

  • Configure Web Server

    Hi Everybody I have installed Oracle 9.2 with Worflow and HTTP service on my machine. Now I'm trying to configure my web server. The web based page should be http://server_name:port. At this URL, I get the page Oracle Enterprise manager. With the pre