Работа с фигурами в VBA Excel: создание фигур методом Shapes.AddShape, типы фигур (MsoAutoShapeType), обращение к фигурам и изменение их свойств. Примеры.
Объекты для работы с фигурами
Фигуры в VBA Excel представлены тремя объектами:
Объект | Описание |
---|---|
Shapes | Коллекция всех фигур на рабочем листе. Используется для создания новых фигур, для обращения к одной фигуре по имени и для перебора фигур циклом. |
ShapeRange | Коллекция нескольких фигур, аргументом которой является массив имен выбранных объектов. Используется для редактирования сразу всех фигур, входящих в эту коллекцию. |
Shape | Объект, представляющий одну фигуру. Используется для редактирования одной этой фигуры. |
Фигуры в VBA Excel создаются методом Shapes.AddShape.
Синтаксис метода AddShape
Shapes.AddShape (Type, Left, Top, Width, Height) |
Shapes — выражение, возвращающее коллекцию фигур на рабочем листе, например: ActiveSheet.Shapes.
Параметры метода AddShape
Параметр | Описание |
---|---|
Type | Константа из коллекции MsoAutoShapeType, определяющая тип создаваемой фигуры. |
Left | Расстояние от левой границы фигуры до левой границы табличной части рабочего листа в пунктах.. Тип данных — Single. |
Top | Расстояние от верхней границы фигуры до верхней границы табличной части рабочего листа в пунктах.. Тип данных — Single. |
Width | Ширина фигуры по внешним границам в пунктах. |
Height | Высота фигуры по внешним границам в пунктах. |
Все параметры метода Shapes.AddShape являются обязательными.
Константы MsoAutoShapeType
Константы коллекции MsoAutoShapeType, определяющие основные типы создаваемых фигур:
Константа | Значение | Тип фигуры |
---|---|---|
msoShapeRectangle | 1 | Прямоугольник |
msoShapeParallelogram | 2 | Параллелограмм |
msoShapeTrapezoid | 3 | Трапеция |
msoShapeDiamond | 4 | Ромб |
msoShapeRoundedRectangle | 5 | Прямоугольник: скругленные углы |
msoShapeOctagon | 6 | Восьмиугольник (октаэдр) |
msoShapeIsoscelesTriangle | 7 | Равнобедренный треугольник |
msoShapeRightTriangle | 8 | Прямоугольный треугольник |
msoShapeOval | 9 | Овал |
msoShapeHexagon | 10 | Шестиугольник (гексаэдр) |
msoShapeCross | 11 | Крест |
msoShapeRegularPentagon | 12 | Пятиугольник (пентаэдр) |
msoShapeCan | 13 | Цилиндр |
msoShapeCube | 14 | Куб |
msoShapeDonut | 18 | Круг: прозрачная заливка (кольцо) |
msoShapeLightningBolt | 22 | Молния |
msoShapeSun | 23 | Солнце |
msoShapeMoon | 24 | Месяц (луна) |
msoShape5pointStar | 92 | Звезда: 5 точек (пятиконечная) |
msoShapeCloud | 179 | Облако |
Все доступные константы из коллекции MsoAutoShapeType смотрите на сайте разработчиков.
Создание объекта ShapeRange
Создание коллекции ShapeRange из выбранных фигур:
Dim myShapeRange As ShapeRange Set myShapeRange = ActiveSheet.Shapes.Range(Array(«Пятиугольник 140», «Солнце 141», «Облако 144»)) |
Объектная переменная myShapeRange не обязательна, можно обратиться непосредственно к возвращенной коллекции, например, присвоив всем ее элементам синий цвет:
ActiveSheet.Shapes.Range(Array(«Пятиугольник 140», «Солнце 141», «Облако 144»)).Fill.ForeColor.RGB = vbBlue |
Примеры работы с фигурами
Пример 1
Создание пяти разных фигур из кода VBA Excel методом Shapes.AddShape:
Sub Primer1() With ActiveSheet.Shapes ‘При создании фигуры без присвоения ее переменной скобки не нужны .AddShape msoShapeCube, 30, 40, 72, 72 .AddShape msoShapeIsoscelesTriangle, 130, 40, 72, 72 .AddShape msoShapeSun, 230, 40, 72, 72 .AddShape msoShapeLightningBolt, 330, 40, 72, 72 ‘Чтобы выбрать фигуру, параметры необходимо заключить в скобки .AddShape(msoShapeCloud, 430, 40, 72, 72).Select End With End Sub |
Результат работы кода:
Пример 2
Работа с одной фигурой:
Sub Primer2() Dim myShape As Shape ‘Создаем фигуру «Месяц» и присваивает ссылку на нее переменной myShape Set myShape = ActiveSheet.Shapes.AddShape(msoShapeMoon, 50, 50, 80, 80) With myShape ‘Меняем высоту и ширину фигуры .Height = 150 .Width = 100 ‘Меняем цвет фигуры .Fill.ForeColor.RGB = vbYellow ‘Поворачиваем фигуру влево на 40 градусов .Rotation = —40 End With End Sub |
Пример 3
Редактирование одновременно нескольких фигур с помощью коллекции ShapeRange:
Sub Primer3() With ActiveSheet.Shapes.Range(Array(«Овал 1», «Овал 2», «Овал 3»)) ‘Меняем цвет всех фигур из коллекции ShapeRange .Fill.ForeColor.RGB = vbBlue ‘Задаем высоту и ширину овалов .Height = 150 .Width = 50 ‘Поворачиваем фигуры вправо на 45 градусов .Rotation = 45 End With End Sub |
Пример 4
Редактирование одновременно всех фигур на рабочем листе с помощью коллекции ShapeRange:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 |
Sub Primer4() Dim myShapeRange As ShapeRange, i As Integer, _ myShape As Shape, myArray() As String ‘Задаем массиву размерность от 1 до количества фигур на листе ReDim myArray(1 To ActiveSheet.Shapes.Count) ‘Проходим циклом по всем фигурам коллекции и записываем их имена в массив For Each myShape In ActiveSheet.Shapes i = i + 1 myArray(i) = myShape.Name Next ‘Создаем коллекцию ShapeRange и присваиваем ссылку на нее переменной myShapeRange Set myShapeRange = ActiveSheet.Shapes.Range(myArray) With myShapeRange ‘Изменяем цвет всех фигур на рабочем листе .Fill.ForeColor.RGB = RGB(100, 150, 200) ‘Поворачиваем все фигуры вокруг вертикальной оси .Flip msoFlipVertical End With End Sub |
Пример 5
Добавление надписи (текста) на фигуру:
Sub Primer5() Dim myShape As Shape Set myShape = ActiveSheet.Shapes.AddShape(msoShapeCloud, 50, 30, 300, 300) With myShape.TextFrame2 ‘Добавление текста на фигуру .TextRange.Characters.Text = «Объект TextFrame представляет текстовую рамку в объекте Shape. Содержит текст в текстовом кадре, а также свойства и методы, которые контролируют выравнивание и закрепление текстового кадра.» ‘Задаем курсивное начертание .TextRange.Characters.Font.Italic = True ‘Указываем размер шрифта .TextRange.Characters.Font.Size = 13 ‘Отступ левой границы текстового поля от левой внутренней границы фигуры .MarginLeft = 30 ‘Отступ верхней границы текстового поля от верхней внутренней границы фигуры .MarginTop = 20 End With End Sub |
Результат работы кода:
Изменить цвет текста, например на черный, можно двумя способами:
‘С помощью константы MsoThemeColorIndex myShape.TextFrame2.TextRange.Characters.Font.Fill.ForeColor.ObjectThemeColor = msoThemeColorDark1 ‘С помощью цветовой модели RGB myShape.TextFrame2.TextRange.Characters.Font.Fill.ForeColor.RGB = RGB(0, 0, 0) |
С константами из коллекции MsoThemeColorIndex вы можете ознакомиться на сайте разработчиков.
Пример 6
Удаление фигур с рабочего листа из кода VBA Excel с помощью метода Delete.
Удаление одной фигуры:
ActiveSheet.Shapes(«Ромб 5»).Delete |
Удаление нескольких фигур:
ActiveSheet.Shapes.Range(Array(«Овал 1», «Овал 2», «Овал 3»)).Delete |
Удаление всех фигур с рабочего листа с помощью цикла:
Sub Primer6() Dim myShape As Shape For Each myShape In ActiveSheet.Shapes myShape.Delete Next End Sub |
В 7 примере рассмотрено удаление всех фигур без цикла.
Пример 7
Выделение всех фигур на рабочем листе:
ActiveSheet.Shapes.SelectAll |
Выбор всех фигур и удаление выбранного (всех фигур):
Sub Primer7() ActiveSheet.Shapes.SelectAll Selection.Delete End Sub |
Продолжение темы в статье VBA Excel. Копирование, перемещение и поворот фигур.
An alternative to shapes would be to use a border and the double click event.
Add the code to your worksheet module and change a cell value in column 10.
Then double click the cell containing the border.
Private Sub Worksheet_BeforeDoubleClick(ByVal Target As Range, Cancel As Boolean)
If Not Intersect(Target, Columns(11)) Is Nothing And Target.Count = 1 Then
If Target.Offset(, -1).Value > 1 And Target.Borders.Count > 0 Then
Target.Offset(1).EntireRow.Insert xlDown, False
Cancel = True
End If
End If
End Sub
Private Sub Worksheet_Change(ByVal Target As Range)
If Not Intersect(Target, Columns(10)) Is Nothing And Target.Count = 1 Then
If Target.Value > 1 And IsNumeric(Target) Then
Target.Offset(, 1).BorderAround xlContinuous, xlMedium, xlColorIndexAutomatic
Else
Target.Offset(, 1).Borders.LineStyle = xlNone
End If
End If
End Sub
If you really want to use a shape then try something like below.
In worksheet module:
Private Sub Worksheet_Change(ByVal Target As Range)
If Not Intersect(Target, Columns(10)) Is Nothing And Target.Count = 1 Then
If Target.Value > 1 And IsNumeric(Target) Then
AddShape Target.Offset(0, 1)
Else
DeleteShape Target.Offset(0, 1)
End If
End If
End Sub
In a normal module:
Sub AddShape(rCell As Range)
'// Check if shape already exists
Dim shLoop As Shape
For Each shLoop In rCell.Parent.Shapes
If shLoop.Type = msoShapeRectangle And shLoop.TopLeftCell = rCell Then
Exit Sub
End If
Next shLoop
With rCell.Parent.Shapes.AddShape(msoShapeRectangle, rCell.Left, rCell.Top, rCell.Width, rCell.Height)
.OnAction = "ShapeClick"
End With
End Sub
Sub DeleteShape(rCell As Range)
Dim shLoop As Shape
For Each shLoop In rCell.Parent.Shapes
If shLoop.Type = msoShapeRectangle And shLoop.TopLeftCell = rCell Then
shLoop.Delete
Exit For
End If
Next
End Sub
Sub ShapeClick()
With ActiveSheet.Shapes(Application.Caller)
ActiveSheet.Rows(.TopLeftCell.Row + 1).Insert Shift:=xlDown
End With
End Sub
VBA Coding With Shape Objects
In this comprehensive guide, you will be learning all the ways you can create and manipulate shapes with VBA macros.
Shapes are objects you can insert into your spreadsheet through the Insert Tab via the Shapes gallery button. These objects can add visualizations to your dashboards, store text, or even serve as buttons to launch macro code.
Here is an outline of the topics covered in this guide:
Creating A New Shape With AddShape()
To create a shape object in Excel using VBA, you must call the AddShape function.
The AddShape function has 4 required inputs in order to generate a new shape:
-
Type — Name of the type of shape you wish to generate
-
Left — Where on the spreadsheet the left side of the shape should be located
-
Top — Where on the spreadsheet the top of the shape should be located
-
Width — How wide your shape should be
-
Height — How tall your shape should be
Here is a snippet of VBA code showing how to create 2 shapes and store the newly created shape to a variable for easy reference later on in your code.
Sub CreateShape()
Dim shp1 As Shape
Dim shp2 As Shape
‘Create & Store New Shape to Variable
Set shp1 = ActiveSheet.Shapes.AddShape(msoShape16pointStar, _
ActiveCell.Left, ActiveCell.Top, 80, 27)
‘Create & Store New Shape to Variable (use Enum Code)
Set shp2 = ActiveSheet.Shapes.AddShape(94, _
ActiveCell.Left, ActiveCell.Top, 80, 27)
End Sub
Continue reading through the next few sections to learn how to determine the type, size, and position values you should be using to create your desired shape.
Choosing A Shape Type
There are a TON of shape types available to you through VBA. There are so many in fact, that I have painstakenly gone through and visually cataloged them for your ease in the below slide show.
Once you have determined which shape you would like to create, grab either the shape textual name or the enumeration number. You will use this MSOAutoShapeType reference to code the exact shape you want.
If you have a shape already created on your spreadsheet, you can use the following code to figure out its enumeration code that you can reference in your VBA code.
Sub DetermineShapeType()
‘PURPOSE: Display The Shape Type of Selected Shape
‘SOURCE: www.TheSpreadsheetGuru.com
Dim ActiveShape As Shape
Dim UserSelection As Variant
‘Pull-in what is selected on screen
Set UserSelection = ActiveWindow.Selection
‘Determine if selection is a shape
On Error GoTo NoShapeSelected
Set ActiveShape = ActiveSheet.Shapes(UserSelection.Name)
On Error Resume Next
‘Tell User the Shape Type Enumeration Number
MsgBox «The Select Shape Type = » & ActiveShape.AutoShapeType
Exit Sub
‘Error Handler
NoShapeSelected:
MsgBox «You do not have a shape selected!»
End Sub
Determining Shape Position
There are two properties you can modify to change the location of a shape on the spreadsheet with VBA. These two properties are the Left and Top values of the shape.
If you are unsure what the size of your shape should be, there are two popular ways you can size your shape:
Method 1: You can base it on the left and top positions of a cell on your spreadsheet.
The following VBA code shows you how to use the Left value of Cell B1 and the Top value of Cell B10 to reposition the rectangle shape that is created.
Sub ShapePositionFromCell()
Dim shp As Shape
‘Create Shape
Set shp = ActiveSheet.Shapes.AddShape(msoShapeRectangle, _
Range(«B1»).Left, Range(«B10»).Top, 100, 50)
End Sub
Method 2: You can position the shape to your liking manually on the spreadsheet and read the left and top positions using VBA.
The following VBA code will output a message box that displays the Left and Top positions of a currently selected shape (ActiveShape).
Sub DetermineShapePosition()
‘PURPOSE: Display Selected Shape’s Position
‘SOURCE: www.TheSpreadsheetGuru.com
Dim ActiveShape As Shape
Dim UserSelection As Variant
‘Pull-in what is selected on screen
Set UserSelection = ActiveWindow.Selection
‘Determine if selection is a shape
On Error GoTo NoShapeSelected
Set ActiveShape = ActiveSheet.Shapes(UserSelection.Name)
On Error Resume Next
‘Tell User the Shape Position Values
MsgBox «Left Position = » & ActiveShape.Left & vbNewLine & _
«Top Position = » & ActiveShape.Top
Exit Sub
‘Error Handler
NoShapeSelected:
MsgBox «You do not have a shape selected!»
End Sub
Determining Shape Size
There are two properties you can modify to change the size of a shape with VBA. These two properties are the Width and Height values of the shape.
If you are unsure what the size of your shape should be, there are two popular ways you can size your shape:
Method 1: You can base it on the size of a range of cells
Sub ShapeSizeFromRange()
Dim shp As Shape
Dim rng As Range
‘Provide Range for Shape Size
Set rng = Range(«A1:C4»)
‘Create Shape
Set shp = ActiveSheet.Shapes.AddShape(msoShapeRectangle, _
ActiveCell.Left, ActiveCell.Top, rng.Width, rng.Height)
End Sub
Method 2: You can create the shape to your liking manually and read the width and height using VBA
Sub DetermineShapeSize()
‘PURPOSE: Display Selected Shape’s Size
‘SOURCE: www.TheSpreadsheetGuru.com
Dim ActiveShape As Shape
Dim UserSelection As Variant
‘Pull-in what is selected on screen
Set UserSelection = ActiveWindow.Selection
‘Determine if selection is a shape
On Error GoTo NoShapeSelected
Set ActiveShape = ActiveSheet.Shapes(UserSelection.Name)
On Error Resume Next
‘Tell User the Shape Position Values
MsgBox «Width = » & ActiveShape.Width & vbNewLine & _
«Height = » & ActiveShape.Height
Exit Sub
‘Error Handler
NoShapeSelected:
MsgBox «You do not have a shape selected!»
End Sub
Text Formatting
Sub CreateShapeWithText()
Dim shp As Shape
‘Create & Store New Shape to Variable
Set shp = ActiveSheet.Shapes.AddShape(msoShape16pointStar, _
ActiveCell.Left, ActiveCell.Top, 80, 27)
‘Add Text To Shape
shp.TextFrame2.TextRange.Text = «My Awesome Shape!»
‘Bold/Italicize/Underline Text
shp.TextFrame2.TextRange.Font.Bold = True
shp.TextFrame2.TextRange.Font.Italic = True
shp.TextFrame2.TextRange.Font.UnderlineStyle = msoUnderlineDottedLine
‘Change Text Color
shp.TextFrame2.TextRange.Font.Fill.ForeColor.RGB = RGB(225, 140, 71)
‘Change Text Size
shp.TextFrame2.TextRange.Font.Size = 14
‘Center Align Text
shp.TextFrame.HorizontalAlignment = xlHAlignCenter
shp.TextFrame.VerticalAlignment = xlVAlignCenter
End Sub
Fill Color & Borders
Sub CreateShapeWithBorder()
Dim shp As Shape
‘Create & Store New Shape to Variable
Set shp = ActiveSheet.Shapes.AddShape(msoShapeRoundedRectangle, _
ActiveCell.Left, ActiveCell.Top, 80, 27)
‘Light Orange Fill
shp.Fill.ForeColor.RGB = RGB(253, 234, 218)
‘Add Dotted Border
shp.Line.DashStyle = msoLineDashDotDot
‘Dark Orange Border
shp.Line.ForeColor.RGB = RGB(252, 213, 181)
‘Adjust Border Thickness
shp.Line.Weight = 2
‘Remove Border
shp.Line.Visible = False
End Sub
Change Shape Type
If you are looking to change the shape type of an existing type, you can do so by setting the AutoShapeType to a different shape type value.
Sub ChangeShapeType()
Dim shp As Shape
‘Store specific shape on spreadsheet to a variable
Set shp = ActiveSheet.Shapes(«Shape1»)
‘Change shape type to oval
shp.AutoShapeType = msoShapeOval
End Sub
Create Your Own Macro Button With VBA Code
I personally cannot stand the native Excel form control button. It looks so outdated and really makes your spreadsheets look unprofessional. That is why I prefer to use VBA code to create a shape that looks like a button.
I thought this would be a great example to show you a real-world coding example where I need to create and format a shape to have a specific appearance. The following VBA macro code puts everything we have covered in this guide together and provides you with some sample code that comprises of a true shape-building solution.
Sub Create_Button()
‘PURPOSE: Creates a SpreadsheetGuru macro button shape
‘SOURCE: www.TheSpreadsheetGuru.com
Dim bttn As Shape
‘Create & Position Macro Button
Set bttn = ActiveSheet.Shapes.AddShape(msoShapeRoundedRectangle, _
ActiveCell.Left, ActiveCell.Top, 80, 27)
‘Modify Text Formatting
With bttn.TextFrame2.TextRange
.Text = «Macro»
.Font.Bold = msoTrue
.Font.Fill.ForeColor.RGB = RGB(0, 0, 0)
.Font.Size = 14
End With
‘Center Alignment
bttn.TextFrame.HorizontalAlignment = xlHAlignCenter
bttn.TextFrame.VerticalAlignment = xlVAlignCenter
‘Light Gray Fill
bttn.Fill.ForeColor.RGB = RGB(217, 217, 217)
‘No Border
bttn.Line.Visible = msoFalse
End Sub
Loop Through All Shapes Of Specific Type
If you need to target a specific shape type on your spreadsheet, you can create a loop that tests the AutoShapeType value to filter your results.
The following VBA code example loops through all shape objects in the currently selected spreadsheet and only changes the fill color of the rectangle shapes.
Sub ChangeRectangleShapes()
Dim shp As Shape
‘Loop through each shape on ActiveSheet
For Each shp In ActiveSheet.Shapes
‘Only modify rectangle shapes
If shp.AutoShapeType = msoShapeRectangle Then
shp.Fill.ForeColor.RGB = RGB(253, 234, 218)
End If
Next shp
End Sub
I Hope This Microsoft Excel Article Helped!
Hopefully, I was able to explain how you use VBA code to create and format shapes on your Excel spreadsheets. If you have any questions about these techniques or suggestions on how to improve them, please let me know in the comments section below.
About The Author
Hey there! I’m Chris and I run TheSpreadsheetGuru website in my spare time. By day, I’m actually a finance professional who relies on Microsoft Excel quite heavily in the corporate world. I love taking the things I learn in the “real world” and sharing them with everyone here on this site so that you too can become a spreadsheet guru at your company.
Through my years in the corporate world, I’ve been able to pick up on opportunities to make working with Excel better and have built a variety of Excel add-ins, from inserting tickmark symbols to automating copy/pasting from Excel to PowerPoint. If you’d like to keep up to date with the latest Excel news and directly get emailed the most meaningful Excel tips I’ve learned over the years, you can sign up for my free newsletters. I hope I was able to provide you with some value today and I hope to see you back here soon!
— Chris
|
|
|
Популярные разделы FAQ: Общие вопросы Особенности VBA-кода Оптимизация VBA-кода Полезные ссылки
1. Старайтесь при создании темы указывать в заголовке или теле сообщения название офисного приложения и (желательно при работе с Office 95/97/2000) его версию. Это значительно сократит количество промежуточных вопросов.
2. Формулируйте вопросы как можно конкретнее, вспоминая (хотя бы иногда) о правилах ВЕЛИКОГО И МОГУЧЕГО РУССКОГО ЯЗЫКА, и не забывая, что краткость — сестра таланта.
3. Не забывайте использовать теги [сode=vba] …текст программы… [/code] для выделения текста программы подсветкой!
4. Темы с просьбой выполнить какую-либо работу полностью за автора здесь не обсуждаются и переносятся в раздел ПОМОЩЬ СТУДЕНТАМ.
Рисование в excel прямоугольника
, на основании значений в ячейках
- Подписаться на тему
- Сообщить другу
- Скачать/распечатать тему
|
|
Full Member Рейтинг (т): 14 |
Хэллоу! Вставка, фигуры, прямоугольник — получилось вставить!
Sub Прямоугольник1() Set s = ActiveSheet.Shapes(«Прямоугольник 1») s.DrawingObject.Caption = Range(«A5») ‘текст в прямоугольнике s.Width = Range(«B5»).Value ‘ширина s.Height = Range(«C5»).Value ‘высота End Sub Добавить авто-применение размеров, при изменении значений в ячейке — получилось (пр.кн.мышки по вкладке «Лист2», «исходный текст»):
Private Sub Worksheet_SelectionChange(ByVal Target As Range) Application.Run «Прямоугольник1» End Sub И всё бы хорошо, но продолжать в том же духе, рисуя параллелепипед из прямоугольников и линий — по моему несколько извратно, для 21го века… Неужели нет способа проще? — редактировать сразу параллелепипед, придав ему x,y,z, и может быть даже некое вращение, уклон? Сообщение отредактировано: Руслан — 19.10.16, 15:11 |
Руслан |
|
Full Member Рейтинг (т): 14 |
О как!
В итоге добавляю в обработчик:
s.Width = Range(«B5»).Value s.Height = Range(«C5»).Value s.ThreeD.BevelTopDepth = Range(«B6»).Value s.ThreeD.RotationX = Range(«B9»).Value s.ThreeD.RotationY = Range(«B10»).Value s.ThreeD.RotationZ = Range(«B11»).Value И вуаля! Всё работает, параллелепипед изобретён, и даже вращается при изменении ячеек B9=-30 B10=20 B11=0 |
Руслан |
|
Full Member Рейтинг (т): 14 |
Ну и коль уж такая пьянка, если кто рыть будет в эту же сторону, возможно ему так же как и мне, захочется прикрутить автоматическую и относительно постоянную динамику вращения обьекта, делается это как оказалось (после некоторых мучений) довольно просто:
‘часть для не допущения повторного запуска функции: Static fRunning As Boolean ‘прикрутим переменную, показывающую, что макрос уже запущен If fRunning Then fRunning = False ‘если макрос уже запушеен — запомнить что не запущен, End ‘и окночить его выполнение. — Да, вот такая интересная «логика» у ВБ оказалась… )) End If fRunning = True ‘ Укажем, что макрос запущен
‘а это крутилка: Do ‘вечный цикл For i = 0 To 360 Step 5 Application.Calculation = xlCalculationManual ‘отключаем пересчет таблицы — для нормального отображения, блин… s.ThreeD.RotationX = i Application.Calculation = xlCalculationAutomatic ‘для отображения графических изменений… 21й век, блин методы… DoEvents ‘ Даем Excel команду обработать пользовательский ввод Sleep 50 Next i DoEvents ‘ Даем Excel команду обработать пользовательский ввод Loop Возможно встанет вопрос как прикрутить Sleep мс? Где нить сверху когда обьявить примерно такую фишку(в нэте нарыл, надеюсь помог вам не рыть всё, чо самому пришлось):
#If VBA7 Then Public Declare PtrSafe Sub Sleep Lib «kernel32» (ByVal dwMilliseconds As LongPtr) ‘For 64 Bit Systems #Else Public Declare Sub Sleep Lib «kernel32» (ByVal dwMilliseconds As Long) ‘For 32 Bit Systems |
DIS |
|
Senior Member Рейтинг (т): 28 |
А какая связь между версией VBA и разрядностью системы? |
Руслан |
|
Full Member Рейтинг (т): 14 |
Есть предложение как правильней подключить Sleep? |
leo |
|
Цитата Руслан @ 19.10.16, 18:31 Public Declare PtrSafe Sub Sleep Lib «kernel32» (ByVal dwMilliseconds As LongPtr) ‘For 64 Bit Systems Тип LongPtr используется только для указателей и дескрипторов (хэндлов), а параметр dwMilliseconds в Sleep имеет тип DWORD (32 бит), поэтому объявлять его как LongPtr не нужно (хотя и можно — ошибки не будет). Сообщение отредактировано: leo — 12.11.16, 05:41 |
Руслан |
|
Full Member Рейтинг (т): 14 |
Цитата leo @ 12.11.16, 05:40 Тип LongPtr используется только для указателей и дескрипторов В любом случае, к чему это? Есть вариант, как подключить sleep более совместимым с разными версиями excel, или что? Сообщение отредактировано: Руслан — 12.11.16, 06:26 |
leo |
|
Цитата Руслан @ 12.11.16, 06:26 В любом случае, к чему это? К тому, что в зависимости от разрядности среды изменяют свой размер только указатели и дескрипторы, а тип DWORD имеет размер 32 бита независимо от разрядности среды, поэтому объявлять его в VB нужно как As Long, а не LongPtr. Цитата Руслан @ 12.11.16, 03:01 Есть предложение как правильней подключить Sleep? Есть — в твоем «нарытом в нэте» объявлении заменить LongPtr на Long — и всё. |
0 пользователей читают эту тему (0 гостей и 0 скрытых пользователей)
0 пользователей:
- Предыдущая тема
- VB for Application
- Следующая тема
[ Script execution time: 0,0320 ] [ 18 queries used ] [ Generated: 15.04.23, 19:28 GMT ]
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 |
Option Explicit Public x1, y1, x2, y2, x3, y3, x4, y4, m, X, Y Dim Coord As New Collection Const maxPoint = 4 Private Declare Function dwLineTo Lib "gdi32" Alias "LineTo" _ (ByVal hdc As Long, ByVal X As Integer, ByVal Y As Integer) As Long Private Declare Function dwMoveTo Lib "gdi32" Alias "MoveToEx" _ (ByVal hdc As Long, ByVal X As Long, ByVal Y As Long, _ ByVal lpPoint As Long) As Long Private Sub UserForm_Click() m = m + 1 If m > 4 Then Else End If End Sub Private Sub UserForm_MouseDown(ByVal Button As Integer, ByVal Shift As Integer, ByVal X As Single, ByVal Y As Single) Coord.Add X: Coord.Add Y If Coord.Count = maxPoint * 2 Then MyPaint End If End Sub Private Sub UserForm_MouseMove(ByVal Button As Integer, ByVal Shift As Integer, ByVal X As Single, ByVal Y As Single) x1 = X y1 = Y End Sub Private Sub MyPaint() SetDrawStart X, Y Call dwMoveTo(hdc, Coord.Item(1) = X, Coord.Item(1) = Y, 0) Call dwLineTo(hdc, Coord.Item(2) = X, Coord.Item(2) = Y) Call dwMoveTo(hdc, Coord.Item(2) = X, Coord.Item(2) = Y, 0) Call dwLineTo(hdc, Coord.Item(3) = X, Coord.Item(3) = Y) Call dwMoveTo(hdc, Coord.Item(3) = X, Coord.Item(3) = Y, 0) Call dwLineTo(hdc, Coord.Item(4) = X, Coord.Item(4) = Y) Call dwMoveTo(hdc, Coord.Item(4) = X, Coord.Item(4) = Y, 0) Call dwLineTo(hdc, Coord.Item(1) = X, Coord.Item(1) = Y) Dim i As Integer Dim j As Integer Dim Result As String For i = 1 To Coord.Count Step 2 j = j + 1 Result = Result & "Точка " & j & ": X=" & Coord.Item(i) & _ " Y=" & Coord.Item(i + 1) & vbCrLf Next i MsgBox Result End Sub |