Copy from one workbook and paste into another

后端 未结 2 1043
借酒劲吻你
借酒劲吻你 2020-11-22 08:56

I have written the following code and continually see pastespecial method of class has failed. I have tried to overcome this issue, but nothing seems to work. I

2条回答
  •  醉梦人生
    2020-11-22 09:23

    This should do it, let me know if you have trouble with it:

    Sub foo()
    Dim x As Workbook
    Dim y As Workbook
    
    '## Open both workbooks first:
    Set x = Workbooks.Open(" path to copying book ")
    Set y = Workbooks.Open(" path to destination book ")
    
    'Now, copy what you want from x:
    x.Sheets("name of copying sheet").Range("A1").Copy
    
    'Now, paste to y worksheet:
    y.Sheets("sheetname").Range("A1").PasteSpecial
    
    'Close x:
    x.Close
    
    End Sub
    

    Alternatively, you could just:

    Sub foo2()
    Dim x As Workbook
    Dim y As Workbook
    
    '## Open both workbooks first:
    Set x = Workbooks.Open(" path to copying book ")
    Set y = Workbooks.Open(" path to destination book ")
    
    'Now, transfer values from x to y:
    y.Sheets("sheetname").Range("A1").Value = x.Sheets("name of copying sheet").Range("A1") 
    
    'Close x:
    x.Close
    
    End Sub
    

    To extend this to the entire sheet:

    With x.Sheets("name of copying sheet").UsedRange
        'Now, paste to y worksheet:
        y.Sheets("sheet name").Range("A1").Resize( _
            .Rows.Count, .Columns.Count) = .Value
    End With
    

    And yet another way, store the value as a variable and write the variable to the destination:

    Sub foo3()
    Dim x As Workbook
    Dim y As Workbook
    Dim vals as Variant
    
    '## Open both workbooks first:
    Set x = Workbooks.Open(" path to copying book ")
    Set y = Workbooks.Open(" path to destination book ")
    
    'Store the value in a variable:
    vals = x.Sheets("name of sheet").Range("A1").Value
    
    'Use the variable to assign a value to the other file/sheet:
    y.Sheets("sheetname").Range("A1").Value = vals 
    
    'Close x:
    x.Close
    
    End Sub
    

    The last method above is usually the fastest for most applications, but do note that for very large datasets (100k rows) it's observed that the Clipboard actually outperforms the array dump:

    Copy/PasteSpecial vs Range.Value = Range.Value

    That said, there are other considerations than just speed, and it may be the case that the performance hit on a large dataset is worth the tradeoff, to avoid interacting with the Clipboard.

提交回复
热议问题