Needed to copy the share from one server to share in another server

Hi ,
Needed to copy the data from one share named as xyz in the server 1 to the another share abc in another server 2.
Share xyz data should be copied to the share abc which has already different data in it .We need to copy all the data from the share xyz to the share abc  without deleting any existing data in the destination share.
I know that /MIR option will replace the destination same as source
Can anybody help us in the Robocopy command & switches for this activity?
Any help is greatly appreciated!
Thanks & Regards S.Swaminathan Live & let others live!!!

Hi Mandy,
Thanks for your reply.
I have done many robocopy for the share movements from the one server joined in a domain to another server joined in the same domain.In that instances, the destination server will not be having any share of the old server name and just I robocopy the share
from the old server to the new server after creating a new share .The usual command is as follows:
"\\server1\oldshare" \\server2\newshare" *.* *.* *.* /ZB /E /COPY:DATO /XJ /R:0 /W:0 /TEE /dcopy:T /NP /log:c:\robocopy.txt
And after the copy , during the cutover of the standalone DFS pointing to the new share , the domain users in the corresponding access groups (name of the groups based on the old server name) of Full,Modify,Read will be appropriately copied to the respective
new  groups (name of the groups based on the new server name) of the new share and the access is ensured by the users.
But in this case , the destination server is already having a share with existing data in it and to be added with the old share data
My question is shall I use the same command as before by copying all the data to the newly created subfolder inside the existiing destination share through the following command
"\\server1\oldshare" \\server2\newshare\new sub-folder" *.* *.* *.* /ZB /E /COPY:DATO /XJ /R:0 /W:0 /TEE /dcopy:T /NP /log:c:\robocopy.txt
You have already mentioned /E without purge options will do.
Just asking one more time for the safer side
Thanks & Regards S.Swaminathan Live & let others live!!!

Similar Messages

  • MM01 -- Update Was terminated while copying the material from one plant

    Hi Experts,
    While I am trying to copy the material from one plant like ETPE to another plant ETPZ , its telling that material created.
    But when we try to display the created material in MM02 for plant ETPZ , it says that material does not exist.
    Note : After creating the material , if we try to move any transaction code it shows the error message box and  says that Update was terminated .
    Kindly help us to resolve this.
    Regards,
    Vijay

    Hi rob,
    we have put the debugging , if there is any badi , enhancement the debugger would have gone to exit or enhancement line but its not going to any where.
    and I have checked in sm13 ..
    its giving the error like update was terminated
    from funtion module : MATERIAL_UPDATE_DB
    Report name :      LGRAPU37
    row : 360.
    ABAP/4 processor: POSTING_ILLEGAL_STATEMENT
    but if we go and see in the row 360 ...
    CALL SCREEN 100 line only
    is there , even if we put the breakpoint in this line , while we are debugging , debugger is not going to that line .
    Note : if we see the screen 100 it shows the empty screen.

  • How do I copy the style from one control to another?

    I need to programmatically copy the style from one graph to another. I'm currently using the importstyle and export style functions but I'd like to avoid that since: 1) I'm creating >100 of the same graphs in a scrolling window and execution time is a concern, and 2) it makes it harder to redistribute the application, and 3) you shouldn't have to import/export from disk just to copy a graph style.
    I noticed the copy constructor was disabled so you can't just create a new one from the original. I suppose I could iterate through all the styles and transfer them from the master graph to all the copies but is there an easier way to do that? If not, is there some sample code for that?
    I'm using MStudio 7.0 for C
    ++.
    Thanks,
    -Bob

    One way that you could do this would be to create a helper method that configures your graph rather than configuring it at design-time, then use that helper method to apply the settings to the new graphs that you create. However, this would only work if you wanted all graphs to be configured exactly the same way - this would not work if the settings of your master graph are changing at run-time and you want the new graphs to be configured with the current settings of the master graph.
    Another approach is to query each control for IPersistPropertyBag, create an IPropertyBag, pass the IPropertyBag to the master graph's IPersistPropertyBag:ave, then pass the IPropertyBag to the new graph's IPersistPropertyBag::Load implementation. I'm not aware of any implementations of IPropertyBag that are readily available for use in applications, so the tricky part is creating the IPropertyBag. Below is a very simple implementation of IPropertyBag that should be enough to get the job done for this example. First, add this to your stdafx.h:
    #include <atlbase.h>
    CComModule _Module;
    #include <atlcom.h>
    #include <atlcoll.h>
    Here's the simple IPropertyBag implementation:
    class ATL_NO_VTABLE CSimplePropertyBag :
    public CComObjectRootEx<CComSingleThreadModel>,
    public IPropertyBag
    private:
    CAtlMap<CComBSTR, CComVariant> m_propertyMap;
    public:
    BEGIN_COM_MAP(CSimplePropertyBag)
    COM_INTERFACE_ENTRY(IPropertyBag)
    END_COM_MAP()
    STDMETHODIMP Read(LPCOLESTR pszPropName, VARIANT* pVar, IErrorLog* pErrorLog)
    HRESULT hr = E_FAIL;
    if ((pszPropName == NULL) || (pVar == NULL))
    hr = E_POINTER;
    else
    if (SUCCEEDED(::VariantClear(pVar)))
    CComBSTR key = pszPropName;
    CComVariant value;
    if (!m_propertyMap.Lookup(key, value))
    hr = E_INVALIDARG;
    else
    if (SUCCEEDED(::VariantCopy(pVar, &value)))
    hr = S_OK;
    return hr;
    STDMETHODIMP Write(LPCOLESTR pszPropName, VARIANT* pVar)
    HRESULT hr = E_FAIL;
    if ((pszPropName == NULL) || (pVar == NULL))
    hr = E_POINTER;
    else
    m_propertyMap.SetAt(pszPropName, *pVar);
    hr = S_OK;
    return hr;
    Once you have a way to create an implementation of IPropertyBag, you can use IPropertyBag and IPersistPropertyBag to copy the settings from one control to another like this:
    void CopyGraphStyle(CNiGraph& source, CNiGraph& target)
    LPUNKNOWN pSourceUnknown = source.GetControlUnknown();
    LPUNKNOWN pTargetUnknown = target.GetControlUnknown();
    if ((pSourceUnknown != NULL) && (pTargetUnknown != NULL))
    CComQIPtr<IPersistPropertyBag> pSourcePersist(pSourceUnknown);
    CComQIPtr<IPersistPropertyBag> pTargetPersist(pTargetUnknown);
    if ((pSourcePersist != NULL) && (pTargetPersist != NULL))
    CComObject<CSimplePropertyBag>* pPropertyBag = 0;
    CComObject<CSimplePropertyBag>::CreateInstance(&pPropertyBag);
    if (pPropertyBag != NULL)
    CComQIPtr<IPropertyBag> spPropertyBag(pPropertyBag);
    if (spPropertyBag != NULL)
    if (SUCCEEDED(pSourcePersist->Save(spPropertyBag, FALSE, TRUE)))
    pTargetPersist->Load(spPropertyBag, NULL);
    (Note that "CreateInstan ce" above should be CreateInstance - a space gets added for some unknown reason after I click Submit.)
    Then you can use this CopyGraphStyle method to copy the settings of the master graph to the new graph. Hope this helps.
    - Elton

  • How to copy the data from one database to another database without DB link

    Good Day,
    I want to copy the data from one database to another database with out DB link but the structure is same in both.
    Thanks
    Nihar

    You could use SQL*Plus' COPY command
    http://technology.amis.nl/blog/432/little-gold-nugget-sqlplus-copy-command
    http://download.oracle.com/docs/cd/B19306_01/server.102/b14357/apb.htm#sthref3702
    Edited by: Alex Nuijten on Sep 16, 2009 8:13 AM

  • How to Move or Copy the Tables from One Database to Another Database ?

    HI,
          Can any one help me on this, How i can move or copy the tables from one database to another database in SQL server 2005 by using SQL query. Hope can anyone provide me the useful and valuable response.
    Thanks
    Gopi

    Hello,
    Maybe these links help you out
    http://www.microsoft.com/downloads/en/details.aspx?familyid=56E5B1C5-BF17-42E0-A410-371A838E570A&displaylang=en
    http://www.suite101.com/content/how-to-copy-a-sql-database-a193532
    Also, you can just detach the database make a copy and move it to the new server.

  • How do I copy and paste from one page or file to another page or file - on the same screen?

    How do I copy and paste from one page or file to another - on the same screen?

      Open both of your images in the Editor. Click on the image you want to copy and press Ctrtl+A (select all) followed by Ctrl+C (copy) then click the tab for your other image and press Ctrl+V (paste)
    Alternatively click on your background image then simply drag the second image from the photo/project bin and drop it into the main editor workspace on top of the background image. Use the move tool to position and the corner handles of the bounding box to scale.

  • How to Copy the PLD from one database to another

    Dear Members,
       i have designed the  PLD for Purchase Order, i want to copy the particular PLD into another Database.
    i tried to copy the PLD from one database to another through copy express.. i copied the PLD sucessfully. But the problem is,it copies all PLD's from one database to another. i want only the Purchaseorder PLD has to be copied in to another database.any body can help me in this regard.
    With Regards,
    G.shankar Ganesh

    Hi,
    select * into A1 from RDOC where Author !='System'
    select *  into A2  from  RITM   where Doccode  in (select Doccode from A1 )
    select * from A1
    select * from A2
    sp_generate_inserts 'A1'
    sp_generate_inserts 'A2'
    you will get Insert scripts of A1 and A2 tables .After that You 'll  Replace A1 to RDOC and A2 to RITM.
    So that you can RUN this SQL srcipts any where (In any Database)
    but First u have to run sp_generate_inserts  Storeprocedure(from websites) .
    drop table A1,A2

  • Transfer the material from one plant(non valuated) to another plant valuat

    Hi All,
    How to transfer the material from one plant(non valuated) to another plant valuated.
    Which Goods Movement type we required to use.
    Regards,
    Amit Shah

    Hello,
    Please refer the link below. hope it could be a help.
    stock transfer plant to plant
    split valuation
    Regards,
    Jana

  • Copy BEx Query from one SAP BI system to another SAP BI system?

    Experts please help me to Copy a BEx Query from one SAP BI system to another SAP BI system?
    Thanks in Advance.......

    HI,
    Just assume like below,
    you are creating your query in Development server(BI),
    Before creating query, you go to SE09(t code), here you create a workbench request by clicking the create button.
    Give some description here to be identified by you in future.
    Now a requested will be generated(ex: DW5K50098) with prefix of your server name.
    now you go to query designer, you create query, when you save the query, it will ask you request, now you click button 'own request'. you choose request(create by you in SE09).
    it will be saved under this request, now you will have one more request under your request in SE09
    parent request(DW5K50098) and child request(DW5K50099).
    First you click child request and relese(click lorry button in se09),second you click parent request and lorry button.
    next steps will be related to your organization, you can ask your team leader, he will be taking care of it.
    Regards,
    Ranganath.

  • How to copy BEx Workbooks from one user's favourites to another user's

    Is there a way to copy BEx Workbooks (Excel Analyzer) from one user's 'Favourites' to another user's Favourites?
    A user is away on vacation and we need to get at a couple of workbooks that are stored only in that user's Favourites. We do not have access to that user's user id and password.
    We’re on BW version 3.5.

    Thanks Ravi.
    We are aware that if a workbook is assigned to a Role then other users can access the workbook.
    In order to assign the workbook to a Role, we need to be able to see it in the first place.
    The workbook is currently saved only in a specific user's Favourites, and that user is away on vacation. We can not assign it to a Role unless we sign on as that user. We do not have the user's logonid and password.
    So we are still interested in finding out how to copy from that user's Favourites, perhaps via a program or via the Administrator Workbench.

  • How can I copy the format of one sentence or paragraph onto another sentence or paragraph?

    When I copy and paste a section from one article to another, I want to change the format of the imported section to match the rest of the article. In Outlook or eM Client, I would use the paintbrush icon for this. How do I copy the format of a section in Thunderbird to another section?
    Many thanks.

    I'd be using Stationery to assert my preferred styles, and then use "Paste without formatting" to allow the formatting that is currently in force to be applied to pasted text, ignoring any already attached to the imported text. A weakness of Thunderbird in its native form is that it tends to forget to insert your chosen default font etc. The Stationery add-on cures this by making your requirement explicit.
    Messages sent by Thunderbird users often appear in (IMHO) ugly serif text, which is Outlook's default, because Thunderbird forgets to say you chose a sans-serif font when composing.
    Without Stationery, all your efforts at harmonizing your text may come to naught.

  • Need to pull the data from one server to another server in SSMS using linked server

    Hi, I have store proc which will take the parameters passed to it and store it in a table in that server. Now, this table data has to be pulled to another server table which is of same structure. But I need to do that in the same store proc which is in
    first server. I have searched in online but could not figure it how to link connection between these two servers and pull data from the first sever to the second. Can anyone please help

    You can setup a linked server from Server A to Server B. Then you will be able to query server B from Server A.
    eg: Assume you have a database test in Server B which has a table sample. From server A you could run this query to pull details.
    Select * from ServerB.test.dbo.sample.
    http://msdn.microsoft.com/en-us/library/ms188279.aspx
    http://msdn.microsoft.com/en-us/library/ff772782.aspx#SSMSProcedure
    You also have other options like distributed queries (openquery), check this blog
    http://blog.sqlauthority.com/2007/10/06/sql-server-executing-remote-stored-procedure-calling-stored-procedure-on-linked-server/
    Regards, Ashwin Menon My Blog - http:\\sqllearnings.com

  • Copy the data from one column to another column using @

    I have two columns here - A and B.
    Column A has a complicated formula that will generate results. I wanted the results in Column A to be reflected in Column B without pasting the A's formula in B. This will save me the trouble of editing formulas in more than 1 column if there is a need.
    I saw somewhere that you can use "@" in column B but I have no idea how to use it.
    Assumingly column A is the first column. I tried to insert '@1' in B's formula and change B's column properties' Data Format as "Treat Text as HTML". It does not work.
    Please advise how I can do that.

    So is there any way to copy the data in Column A into Column B without putting the same formula? something like in Excel where we put "=C1". Its not possible in BI as it comes in excel.....The only way is to create a duplicate column in RPD or Answers screen and incorporate the formula and giving different name to it.
    whats the problem if you duplicate the column with same formula?....Ok still if you dont want to see identical just write some pseudo logic say
    Duplicated column f(x) case when 1=0 then column_name else formula end.....so it appears different to see but it outputs same.
    UPDATED POST
    Dont create in RPD,you can create a dummy column in that report request and change the f(x) to the above case i mentioned by taking the column from columns button in edit formula screen so when ever you edit the actual column formula that would reflect in the dummy column also as it is replicating from original one.Try and see
    hope helps you.
    Cheers,
    KK
    Edited by: Kranthi.K on Jun 2, 2011 1:26 AM

  • How i can copy the script from one language to other language

    dear all,
    how can i copy script i.e i changed =in EN, but i want copy convert same effects in DE (from one language to other language but not all language)

    hi,
    From the SAP standard menu, choose SE71.
    On the Form Painter: Request screen:
    1)Enter the name of the form (ZORDER01) in the Form field.
    2)Enter DE in the Language field.
    3)Click created and press OK.
    4)From menu bar, choose form->copy from
    5)In the popup, give formname as (ZORDER01) and language as EN and click ok.
    6)Save the form and activate it.
    Regards,
    Sailaja.

  • How can I copy the layer from one .PSD file to another .PSD file?

    Hi,
    Actually it is shape and mask on one layer which I want to use it on my Photoshop CS4 file. If I select all the layer and copy it to my file it just copies the shape but not the mask. How can I copy MASK to my file?
    Please do hlep.
    Actually I am trying to copy the following layer.

    I believe the fastest way would be to duplicate the layer and send it to the other document. Open both images. Click the document tab of the document with the shape layer. With the shape layer selected in the layers palette, right click where it says the shape layer name. Select "duplicate layer" from the context menu. In the dialog that comes up, select the document you want to copy that layer to in the destination box then press ok.
    Alternately, you can open both images then pull the document frame tabs down to open both images in your workspace. Grab the shape layer in the document's layers palette by left clicking it...keep the left button pressed (hand icon should be a grab icon). While left button is still pressed, drag the shape layer over the receiving document. To make the shape layer register in the same location, press the shift key and keep it pressed. Release left mouse button while the layer is over the receiving document. Release shift key after you have released the left mouse button.
    This tutorial has a good photo reference for what I mean when I say pull the image tabs down so both documents appear in the same workspace...also shows drag/drop:
    http://www.photoshopcstutorials.co.uk/html/cs4_workspace___palette_notes.html

  • I NEED TO TRANSFER THE BOOKMARKS FROM ONE USER TO ANOTHER IN THE SAME COMPUTER??

    I have created the recommended second user site on my computer.
    Also I have Administrator user site on the same computer that I do not wish to use sometimes.
    Both users are having the same Mozilla browser (win7) but the second user does not have bookmarks that the first user is having.
    I am struggling already almost half a day by using all printed articles but WITH NO SUCCESS.
    Please advise ma how to do it. I feel it should not be a big problem.
    Thank you.
    Norman

    It can be tricky knowing how to locate and navigate between the different settings folders used by your different installations of Firefox.
    To start, I suggest creating a folder that serves as a neutral location that Windows doesn't try to secure between users. For example:
    C:\bmks
    You can create a backup from the fully loaded copy of Firefox to that folder, then restore it into the empty Firefox. You've probably already found the procedures, but just in case, the following article describes both the manual backup procedure and the restore procedure:
    [[Restore bookmarks from backup or move them to another computer]]
    If you have bookmarks in the newer profile that you do not want to lose, you can use an alternate export/import procedure using an HTML file. This doesn't carry over all the same information (e.g., tags). These articles have the details, and again I suggest using a "neutral" folder:
    * [[Export Firefox bookmarks to an HTML file to back up or transfer bookmarks]]
    * [[Import Bookmarks from an HTML file]]
    Any luck?
    When you're done, you can delete the contents of the neutral folder for privacy.

Maybe you are looking for