我刚开始潜入VBA,我遇到了一些障碍。

我有一张包含50多列,900多行数据的工作表。我需要重新格式化其中的10个列并将它们粘贴到新的工作簿中。

如何以编程方式选择book1列中的每个非空单元格,通过某些函数运行它,并将结果放在book2中?

有帮助吗?

解决方案

以下VBA代码应该可以帮助您入门。它会将原始工作簿中的所有数据复制到新工作簿中,但它会为每个值添加1,并且所有空白单元格都将被忽略。

Option Explicit

Public Sub exportDataToNewBook()
    Dim rowIndex As Integer
    Dim colIndex As Integer
    Dim dataRange As Range
    Dim thisBook As Workbook
    Dim newBook As Workbook
    Dim newRow As Integer
    Dim temp

    '// set your data range here
    Set dataRange = Sheet1.Range("A1:B100")

    '// create a new workbook
    Set newBook = Excel.Workbooks.Add

    '// loop through the data in book1, one column at a time
    For colIndex = 1 To dataRange.Columns.Count
        newRow = 0
        For rowIndex = 1 To dataRange.Rows.Count
            With dataRange.Cells(rowIndex, colIndex)

            '// ignore empty cells
            If .value <> "" Then
                newRow = newRow + 1
                temp = doSomethingWith(.value)
                newBook.ActiveSheet.Cells(newRow, colIndex).value = temp
                End If

            End With
        Next rowIndex
    Next colIndex
End Sub

结果

Private Function doSomethingWith(aValue)

    '// This is where you would compute a different value
    '// for use in the new workbook
    '// In this example, I simply add one to it.
    aValue = aValue + 1

    doSomethingWith = aValue
End Function

其他提示

我知道我已经很晚了,但这里有一些有用的样本:

'select the used cells in column 3 of worksheet wks
wks.columns(3).SpecialCells(xlCellTypeConstants).Select

'change all formulas in col 3 to values
with sheet1.columns(3).SpecialCells(xlCellTypeFormulas)
    .value = .value
end with

要查找列中最后使用的行,请不要依赖LastCell,这是不可靠的(删除数据后不会重置)。相反,我使用像

这样的东西
 lngLast = cells(rows.count,3).end(xlUp).row

如果您要查找列的最后一行,请使用:

Sub SelectFirstColumn()
   SelectEntireColumn (1)
End Sub

Sub SelectSecondColumn()
    SelectEntireColumn (2)
End Sub

Sub SelectEntireColumn(columnNumber)
    Dim LastRow
    Sheets("sheet1").Select
    LastRow = ActiveSheet.Columns(columnNumber).SpecialCells(xlLastCell).Row

    ActiveSheet.Range(Cells(1, columnNumber), Cells(LastRow, columnNumber)).Select
End Sub

您需要熟悉的其他命令是复制和粘贴命令:

Sub CopyOneToTwo()
    SelectEntireColumn (1)
    Selection.Copy

    Sheets("sheet1").Select
    ActiveSheet.Range("B1").PasteSpecial Paste:=xlPasteValues
End Sub

最后,您可以使用以下语法引用其他工作簿中的工作表:

Dim book2
Set book2 = Workbooks.Open("C:\book2.xls")
book2.Worksheets("sheet1")

这可能完全偏离基础,但您不能只将整个列复制到新的电子表格中,然后对列进行排序吗?我假设您不需要维护订单的完整性。

许可以下: CC-BY-SA归因
不隶属于 StackOverflow
scroll top