Blender Python programming introduction example analysis
Blender Python Programming
Supported Features:
Editing User Interface Yes Edit any data (scene, mesh, particles, etc.).
Modify user preferences, keymaps and themes.
Run the tool with your own settings.
Create user interface elements such as menus, headers, and panels.
Create new tools.
Create interactive tools.
Create a new rendering engine integrated with Blender.
Subscribe to changes to data and its properties.
Define new settings within existing Blender data.
Use Python to draw 3D views.
(Still) Missing Features:
Create new space types.
Assign custom properties to each type.
Data Access
Python accesses Blender's data in the same way as the animation system and user interface. This means that any setting that can be changed via a button can also be changed from Python.
Accessing data from the currently loaded Blender file can be accomplished using the module bpy.data
. This provides access to library data. For example:
>>> bpy.data.objects <bpy_collection[3], BlendDataObjects>
>>> bpy.data.scenes <bpy_collection[1], BlendDataScenes>
>>> bpy.data.materials <bpy_collection[1], BlendDataMaterials>
Accessing Collections
You will notice that both indexes and strings can be used to access the members of a collection. Unlike Python dictionaries, both methods are available; however, the index of a member may change when running Blender.
list(bpy.data.objects) [bpy.data.objects["Cube"], bpy.data.objects["Plane"]]
>>> bpy.data.objects['Cube'] bpy.data.objects["Cube"]
>>> bpy.data.objects[0] bpy.data.objects["Cube"]
Accessing properties
Once you have a block of data, such as a material, object, collection, etc., its properties can be accessed just like changing settings using the graphical interface. In fact, each button's tooltip also shows Python properties, which can help find which settings were changed in the script.
bpy.data.objects[0].name 'Camera'
>>> bpy.data.scenes["Scene"] bpy.data.scenes['Scene']
>>> bpy.data.materials.new("MyMaterial") bpy.data.materials['MyMaterial']
For testing what data you want to access, it is useful to use the Python Console, which is its own spatial type. This supports auto-completion, giving you a quick way to explore the data in your files.
Examples of data paths that can be quickly found through the console:
bpy.data.scenes[0].render.resolution_percentage 100 >>> bpy.data.scenes[0].objects["Torus"].data.vertices[0].co.x 1.0
Data creation/deletion
When you are familiar with other Python APIs, you may be surprised by the bpy API New data blocks cannot be created by calling the class:
bpy.types.Mesh() Traceback (most recent call last): File "<blender_console>", line 1, in <module> TypeError: bpy_struct.__new__(type): expected a single argument
Users cannot create new data anywhere outside the Blender database (the one accessed by bpy.data
) because this data is created by Blender Management (save, load, undo, append, etc.).
You can only use the following methods to add and delete data:
mesh = bpy.data.meshes.new(name="MyMesh") >>> print(mesh) <bpy_struct, Mesh("MyMesh.001")>
bpy.data.meshes.remove(mesh)
Custom attributes
Python can access attributes on any data block with ID
. When assigning an attribute, if the attribute does not exist, it will be created.
These properties are also saved in the Blender file and inherited or copied with the object.
bpy.context.object["MyOwnProperty"] = 42 if "SomeProp" in bpy.context.object: print("Property found") # Use the get function like a Python dictionary # which can have a fallback value. value = bpy.data.scenes["Scene"].get("test_prop", "fallback value") # dictionaries can be assigned as long as they only use basic types. collection = bpy.data.collections.new("MyTestCollection") collection["MySettings"] = {"foo": 10, "bar": "spam", "baz": {}} del collection["MySettings"]
However, the values of these custom properties must be basic Python data types. Such as:
int
/float
/string
int
/float
ArrayDictionary (only string keys are supported, values must also be basic types)
Custom attributes are also valid outside Python. They can be animated via curves or used in drive paths.
Context Context
Being able to access data directly by name or list is very useful, but more commonly it is done based on user selection. This context information is always available from bpy.context
.
Common cases:
>>> bpy.context.object >>> bpy.context.selected_objects >>> bpy.context.visible_bones
Please note that the context is read-only. These values cannot be modified directly, although they can be changed by running API functions or using the data API.
So this will raise the error : bpy.context.object = obj
But this will work fine: bpy.context. scene.objects.active = obj
Operators (Tools)
Operators are typically tools that users access from buttons, menu items, or shortcut keys. From the user's perspective, they are a tool, but Python can access, set up, and run them through the bpy.ops
module.
Example:
bpy.ops.mesh.flip_normals() {'FINISHED'} >>> bpy.ops.mesh.hide(unselected=False) {'FINISHED'} >>> bpy.ops.object.transform_apply() {'FINISHED'}
Operator Cheat Sheet gives a list of all operators in Python syntax and their default values, as well as the generated documentation. This is a great way to learn about all of Blender's operators.
Operator Poll()
Many Operators have their own Poll()
method, which can check whether the current Blender context meets the conditions for the Operator to run. When not satisfied, calling the Operator directly will generate an error. Therefore, when operating an Operator, It is recommended that first check the context
in the following way:
if bpy.ops.view3d.render_border.poll(): bpy.ops.view3d.render_border()
How to integrate Python into Blender
Python script Integration with Blender can be done in the following ways:
By defining a rendering engine.
By defining operators.
通过定义菜单,标题和面板。
通过将新按钮插入现有菜单,标题和面板
在 Python 中,这是通过定义一个类来完成的,该类是现有类型的子类。
Blender 官方文档中提供了实例的类模板。如:
示例运算符
import bpy def main(context): for ob in context.scene.objects: print(ob) class SimpleOperator(bpy.types.Operator): """Tooltip""" bl_idname = "object.simple_operator" bl_label = "Simple Object Operator" @classmethod def poll(cls, context): return context.active_object is not None def execute(self, context): main(context) return {'FINISHED'} def register(): bpy.utils.register_class(SimpleOperator) def unregister(): bpy.utils.unregister_class(SimpleOperator) if __name__ == "__main__": register() # test call bpy.ops.object.simple_operator()
一旦这个脚本运行,SimpleOperator
在 Blender 中注册,可以从 Operator Search 中调用或添加到工具栏中。
运行脚本:
启动 Blender 并切换到脚本工作区。
单击文本编辑器中的 New 按钮以创建新的文本数据块。
从上面并将其粘贴到文本编辑器中。
单击 Run Script 按钮。
将光标移至 3D 视口,打开运算符搜索菜单,输入 “Simple”。
点击搜索中找到的 “SimpleOperator” 项目。
示例面板
面板注册为一个类,就像操作符一样。请注意用于设置它们所显示的上下文的额外 bl_
变量。
import bpy class HelloWorldPanel(bpy.types.Panel): """Creates a Panel in the Object properties window""" bl_label = "Hello World Panel" bl_idname = "OBJECT_PT_hello" bl_space_type = 'PROPERTIES' bl_region_type = 'WINDOW' bl_context = "object" def draw(self, context): layout = self.layout obj = context.object row = layout.row() row.label(text="Hello world!", icon='WORLD_DATA') row = layout.row() row.label(text="Active object is: " + obj.name) row = layout.row() row.prop(obj, "name") row = layout.row() row.operator("mesh.primitive_cube_add") def register(): bpy.utils.register_class(HelloWorldPanel) def unregister(): bpy.utils.unregister_class(HelloWorldPanel) if __name__ == "__main__": register()
运行脚本:
启动 Blender 并切换到脚本工作区。
单击文本编辑器中的 New 按钮以创建新的文本数据块。
从上面并将其粘贴到文本编辑器中。
单击 Run Script 按钮。
要查看结果:
选择默认立方体。
点击按钮面板中的对象属性图标(最右边;出现为一个小立方体)。
向下滚动查看名为 “Hello World Panel” 的面板。
更改对象名称也会更新 Hello World Panel 的 name:字段。
请注意通过代码定义的行分布以及标签和属性。
数据类型
Blender 定义了许多 Python 类型,但也使用 Python 本机类型。
原生类型
在简单的情况下,将数字或字符串作为自定义类型会很麻烦,因此可以将它们作为普通的 Python 类型进行访问。
Blender
float
/int
/boolean
->float
/int
/boolean
Blender 枚举器->字符串
>>> C.object.rotation_mode = 'AXIS_ANGLE'
Blender枚举器(多个)->字符串集
# setting multiple camera overlay guides bpy.context.scene.camera.data.show_guide = {'GOLDEN', 'CENTER'} # passing as an operator argument for report types self.report({'WARNING', 'INFO'}, "Some message!")
内部类型
用于 Blender 数据块和 Blender 集合: bpy.types.bpy_struct
用于包含 collections
/meshes
/bones
/scenes
等属性的数据。
包装 Blenders 数据的主要类型有 2 种,
一种用于数据块(内部称为
bpy_struct
)
>>> bpy.context.object bpy.data.objects['Cube']
另一种用于属性。
>>> C.scene.objects bpy.data.scenes['Scene'].objects
Mathutils 类型
用于表示向量,四元数,euler,矩阵和颜色类型等,可从 mathutils 模块访问它们。
一些属性,如 bpy.types.Object.location
, bpy.types.PoseBone.rotation_euler
和 bpy.types.Scene.Cursor_location
可以作为特殊的数学类型访问,这些类型可以一起使用并以各种有用的方式进行操作。
例如,矩阵向量的乘法
bpy.context.object.matrix_world @ bpy.context.object.data.verts[0].co
注意:mathutils 类型保留对 Blender 内部数据的引用,这样更改就可以应用回来。
举个例子
# modifies the Z axis in place. bpy.context.object.location.z += 2.0 # location variable holds a reference to the object too. location = bpy.context.object.location location *= 2.0 # Copying the value drops the reference so the value can be passed to # functions and modified without unwanted side effects. location = bpy.context.object.location.copy()
动画
有两种方法可以通过 Python 添加关键帧。
第一种是直接通过键属性,这类似于用户从按钮插入关键帧。
您也可以手动创建曲线和关键帧数据,然后将路径设置为属性。
这是这两种方法的示例。这两个示例都在活动对象的 Z 轴上插入关键帧。
简单的例子:
obj = bpy.context.object obj.location[2] = 0.0 obj.keyframe_insert(data_path="location", frame=10.0, index=2) obj.location[2] = 1.0 obj.keyframe_insert(data_path="location", frame=20.0, index=2)
使用低级功能:
obj = bpy.context.object obj.animation_data_create() obj.animation_data.action = bpy.data.actions.new(name="MyAction") fcu_z = obj.animation_data.action.fcurves.new(data_path="location", index=2) fcu_z.keyframe_points.add(2) fcu_z.keyframe_points[0].co = 10.0, 0.0 fcu_z.keyframe_points[1].co = 20.0, 1.0
The above is the detailed content of Blender Python programming introduction example analysis. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics

It is impossible to complete XML to PDF conversion directly on your phone with a single application. It is necessary to use cloud services, which can be achieved through two steps: 1. Convert XML to PDF in the cloud, 2. Access or download the converted PDF file on the mobile phone.

The speed of mobile XML to PDF depends on the following factors: the complexity of XML structure. Mobile hardware configuration conversion method (library, algorithm) code quality optimization methods (select efficient libraries, optimize algorithms, cache data, and utilize multi-threading). Overall, there is no absolute answer and it needs to be optimized according to the specific situation.

There is no built-in sum function in C language, so it needs to be written by yourself. Sum can be achieved by traversing the array and accumulating elements: Loop version: Sum is calculated using for loop and array length. Pointer version: Use pointers to point to array elements, and efficient summing is achieved through self-increment pointers. Dynamically allocate array version: Dynamically allocate arrays and manage memory yourself, ensuring that allocated memory is freed to prevent memory leaks.

An application that converts XML directly to PDF cannot be found because they are two fundamentally different formats. XML is used to store data, while PDF is used to display documents. To complete the transformation, you can use programming languages and libraries such as Python and ReportLab to parse XML data and generate PDF documents.

XML can be converted to images by using an XSLT converter or image library. XSLT Converter: Use an XSLT processor and stylesheet to convert XML to images. Image Library: Use libraries such as PIL or ImageMagick to create images from XML data, such as drawing shapes and text.

To convert XML images, you need to determine the XML data structure first, then select a suitable graphical library (such as Python's matplotlib) and method, select a visualization strategy based on the data structure, consider the data volume and image format, perform batch processing or use efficient libraries, and finally save it as PNG, JPEG, or SVG according to the needs.

There is no APP that can convert all XML files into PDFs because the XML structure is flexible and diverse. The core of XML to PDF is to convert the data structure into a page layout, which requires parsing XML and generating PDF. Common methods include parsing XML using Python libraries such as ElementTree and generating PDFs using ReportLab library. For complex XML, it may be necessary to use XSLT transformation structures. When optimizing performance, consider using multithreaded or multiprocesses and select the appropriate library.

To generate images through XML, you need to use graph libraries (such as Pillow and JFreeChart) as bridges to generate images based on metadata (size, color) in XML. The key to controlling the size of the image is to adjust the values of the <width> and <height> tags in XML. However, in practical applications, the complexity of XML structure, the fineness of graph drawing, the speed of image generation and memory consumption, and the selection of image formats all have an impact on the generated image size. Therefore, it is necessary to have a deep understanding of XML structure, proficient in the graphics library, and consider factors such as optimization algorithms and image format selection.
