fix for image resizing bad request
[convexer.git] / __init__.py
1 # Copyright (C) 2022 Harry Godden (hgn)
2
3 bl_info = {
4 "name":"Convexer",
5 "author": "Harry Godden (hgn)",
6 "version": (0,1),
7 "blender":(3,1,0),
8 "location":"Export",
9 "descriptin":"",
10 "warning":"",
11 "wiki_url":"",
12 "category":"Import/Export",
13 }
14
15 print( "Convexer reload" )
16
17 #from mathutils import *
18 import bpy, gpu, math, os, time, mathutils, blf, subprocess, shutil, hashlib
19 from ctypes import *
20 from gpu_extras.batch import batch_for_shader
21 from bpy.app.handlers import persistent
22
23 # GPU and viewport drawing
24 # ------------------------------------------------------------------------------
25
26 # Handlers
27 cxr_view_draw_handler = None
28 cxr_ui_draw_handler = None
29
30 # Batches
31 cxr_view_lines = None
32 cxr_view_mesh = None
33 cxr_jobs_batch = None
34 cxr_jobs_inf = []
35
36 # Shaders
37 cxr_view_shader = gpu.shader.from_builtin('3D_SMOOTH_COLOR')
38 cxr_ui_shader = gpu.types.GPUShader("""
39 uniform mat4 ModelViewProjectionMatrix;
40 uniform float scale;
41
42 in vec2 aPos;
43 in vec4 aColour;
44
45 out vec4 colour;
46
47 void main()
48 {
49 gl_Position = ModelViewProjectionMatrix * vec4(aPos.x*scale,aPos.y, 0.0, 1.0);
50 colour = aColour;
51 }
52 ""","""
53 in vec4 colour;
54 out vec4 FragColor;
55
56 void main()
57 {
58 FragColor = colour;
59 }
60 """)
61
62 # Render functions
63 #
64 def cxr_ui(_,context):
65 global cxr_jobs_batch, cxr_ui_shader, cxr_jobs_inf
66
67 w = gpu.state.viewport_get()[2]
68 cxr_ui_shader.bind()
69 cxr_ui_shader.uniform_float( "scale", w )
70
71 if cxr_jobs_batch != None:
72 gpu.state.blend_set('ALPHA')
73 cxr_jobs_batch.draw(cxr_ui_shader)
74
75 blf.position(0,2,50,0)
76 blf.size(0,50,48)
77 blf.color(0,1.0,1.0,1.0,1.0)
78 blf.draw(0,"Compiling")
79
80 for ji in cxr_jobs_inf:
81 blf.position(0,ji[0]*w,35,0)
82 blf.size(0,50,20)
83 blf.draw(0,ji[1])
84
85 py = 80
86 blf.size(0,50,16)
87 for ln in reversed(CXR_COMPILER_CHAIN.LOG[-25:]):
88 blf.position(0,2,py,0)
89 blf.draw(0,ln[:-1])
90 py += 16
91
92 if CXR_PREVIEW_OPERATOR.LASTERR != None:
93 blf.position(0,2,80,0)
94 blf.size(0,50,48)
95 blf.color(0,1.0,0.2,0.2,0.9)
96 blf.draw(0,"This is a stoopid error\nWIthiuawdnaw")
97
98 # Something is off with TIMER,
99 # this forces the viewport to redraw before we can continue with our
100 # compilation stuff.
101
102 CXR_COMPILER_CHAIN.WAIT_REDRAW = False
103
104 def cxr_draw():
105 global cxr_view_shader, cxr_view_mesh, cxr_view_lines
106
107 cxr_view_shader.bind()
108
109 gpu.state.depth_mask_set(False)
110 gpu.state.line_width_set(1.5)
111 gpu.state.face_culling_set('BACK')
112 gpu.state.depth_test_set('NONE')
113 gpu.state.blend_set('ALPHA')
114
115 if cxr_view_lines != None:
116 cxr_view_lines.draw( cxr_view_shader )
117
118 gpu.state.depth_test_set('LESS_EQUAL')
119 gpu.state.blend_set('ADDITIVE')
120 if cxr_view_mesh != None:
121 cxr_view_mesh.draw( cxr_view_shader )
122
123 def cxr_jobs_update_graph(jobs):
124 global cxr_jobs_batch, cxr_ui_shader, cxr_jobs_inf
125
126 cxr_jobs_inf = []
127
128 total_width = 0
129 verts = []
130 colours = []
131 indices = []
132
133 for sys in jobs:
134 total_width += sys['w']
135
136 sf = 1.0/total_width
137 cur = 0.0
138 ci = 0
139
140 for sys in jobs:
141 w = sys['w']
142 h = 30.0
143 colour = sys['colour']
144 colourwait = (colour[0],colour[1],colour[2],0.4)
145 colourrun = (colour[0]*1.5,colour[1]*1.5,colour[2]*1.5,0.5)
146 colourdone = (colour[0],colour[1],colour[2],1.0)
147
148 jobs = sys['jobs']
149 sfsub = (1.0/(len(jobs)))*w
150 i = 0
151
152 for j in jobs:
153 if j == None: colour = colourdone
154 else: colour = colourwait
155
156 px = (cur + (i)*sfsub) * sf
157 px1 = (cur + (i+1.0)*sfsub) * sf
158 i += 1
159
160 verts += [(px,0), (px, h), (px1, 0.0), (px1,h)]
161 colours += [colour,colour,colour,colour]
162 indices += [(ci+0,ci+2,ci+3),(ci+0,ci+3,ci+1)]
163 ci += 4
164
165 cxr_jobs_inf += [((sf*cur), sys['title'])]
166 cur += w
167
168 cxr_jobs_batch = batch_for_shader(
169 cxr_ui_shader, 'TRIS',
170 { "aPos": verts, "aColour": colours },
171 indices = indices
172 )
173
174 # view_layer.update() doesnt seem to work,
175 # tag_redraw() seems to have broken
176 # therefore, change a property
177 def scene_redraw():
178 ob = bpy.context.scene.objects[0]
179 ob.hide_render = ob.hide_render
180
181 # the 'real' way to refresh the scene
182 for area in bpy.context.window.screen.areas:
183 if area.type == 'view_3d':
184 area.tag_redraw()
185
186 # Shared libraries
187 # ------------------------------------------------------------------------------
188
189 # dlclose for reloading modules manually
190 libc_dlclose = None
191 libc_dlclose = cdll.LoadLibrary(None).dlclose
192 libc_dlclose.argtypes = [c_void_p]
193
194 # wrapper for ctypes binding
195 class extern():
196 def __init__(_,name,argtypes,restype):
197 _.name = name
198 _.argtypes = argtypes
199 _.restype = restype
200 _.call = None
201
202 def loadfrom(_,so):
203 _.call = getattr(so,_.name)
204 _.call.argtypes = _.argtypes
205
206 if _.restype != None:
207 _.call.restype = _.restype
208
209 # libcxr (convexer)
210 # ------------------------------------------------------------------------------
211
212 libcxr = None
213
214 # Structure definitions
215 #
216 class cxr_edge(Structure):
217 _fields_ = [("i0",c_int32),
218 ("i1",c_int32),
219 ("freestyle",c_int32)]
220
221 class cxr_static_loop(Structure):
222 _fields_ = [("index",c_int32),
223 ("edge_index",c_int32),
224 ("uv",c_double * 2)]
225
226 class cxr_polygon(Structure):
227 _fields_ = [("loop_start",c_int32),
228 ("loop_total",c_int32),
229 ("normal",c_double * 3),
230 ("center",c_double * 3),
231 ("material_id",c_int32)]
232
233 class cxr_material(Structure):
234 _fields_ = [("res",c_int32 * 2),
235 ("name",c_char_p)]
236
237 class cxr_static_mesh(Structure):
238 _fields_ = [("vertices",POINTER(c_double * 3)),
239 ("edges",POINTER(cxr_edge)),
240 ("loops",POINTER(cxr_static_loop)),
241 ("polys",POINTER(cxr_polygon)),
242 ("materials",POINTER(cxr_material)),
243
244 ("poly_count",c_int32),
245 ("vertex_count",c_int32),
246 ("edge_count",c_int32),
247 ("loop_count",c_int32),
248 ("material_count",c_int32)]
249
250 class cxr_tri_mesh(Structure):
251 _fields_ = [("vertices",POINTER(c_double *3)),
252 ("colours",POINTER(c_double *4)),
253 ("indices",POINTER(c_int32)),
254 ("indices_count",c_int32),
255 ("vertex_count",c_int32)]
256
257 class cxr_vmf_context(Structure):
258 _fields_ = [("mapversion",c_int32),
259 ("skyname",c_char_p),
260 ("detailvbsp",c_char_p),
261 ("detailmaterial",c_char_p),
262 ("scale",c_double),
263 ("offset",c_double *3),
264 ("lightmap_scale",c_int32),
265 ("brush_count",c_int32),
266 ("entity_count",c_int32),
267 ("face_count",c_int32)]
268
269 # Convert blenders mesh format into CXR's static format (they are very similar)
270 #
271 def mesh_cxr_format(obj):
272 orig_state = None
273
274 if bpy.context.active_object != None:
275 orig_state = obj.mode
276 if orig_state != 'OBJECT':
277 bpy.ops.object.mode_set(mode='OBJECT')
278
279 dgraph = bpy.context.evaluated_depsgraph_get()
280 data = obj.evaluated_get(dgraph).data
281
282 _,mtx_rot,_ = obj.matrix_world.decompose()
283
284 mesh = cxr_static_mesh()
285
286 vertex_data = ((c_double*3)*len(data.vertices))()
287 for i, vert in enumerate(data.vertices):
288 v = obj.matrix_world @ vert.co
289 vertex_data[i][0] = c_double(v[0])
290 vertex_data[i][1] = c_double(v[1])
291 vertex_data[i][2] = c_double(v[2])
292
293 loop_data = (cxr_static_loop*len(data.loops))()
294 polygon_data = (cxr_polygon*len(data.polygons))()
295
296 for i, poly in enumerate(data.polygons):
297 loop_start = poly.loop_start
298 loop_end = poly.loop_start + poly.loop_total
299 for loop_index in range(loop_start, loop_end):
300 loop = data.loops[loop_index]
301 loop_data[loop_index].index = loop.vertex_index
302 loop_data[loop_index].edge_index = loop.edge_index
303
304 if data.uv_layers:
305 uv = data.uv_layers.active.data[loop_index].uv
306 loop_data[loop_index].uv[0] = c_double(uv[0])
307 loop_data[loop_index].uv[1] = c_double(uv[1])
308 else:
309 loop_data[loop_index].uv[0] = c_double(0.0)
310 loop_data[loop_index].uv[1] = c_double(0.0)
311 center = obj.matrix_world @ poly.center
312 normal = mtx_rot @ poly.normal
313
314 polygon_data[i].loop_start = poly.loop_start
315 polygon_data[i].loop_total = poly.loop_total
316 polygon_data[i].normal[0] = normal[0]
317 polygon_data[i].normal[1] = normal[1]
318 polygon_data[i].normal[2] = normal[2]
319 polygon_data[i].center[0] = center[0]
320 polygon_data[i].center[1] = center[1]
321 polygon_data[i].center[2] = center[2]
322 polygon_data[i].material_id = poly.material_index
323
324 edge_data = (cxr_edge*len(data.edges))()
325
326 for i, edge in enumerate(data.edges):
327 edge_data[i].i0 = edge.vertices[0]
328 edge_data[i].i1 = edge.vertices[1]
329 edge_data[i].freestyle = edge.use_freestyle_mark
330
331 material_data = (cxr_material*len(obj.material_slots))()
332
333 for i, ms in enumerate(obj.material_slots):
334 inf = material_info(ms.material)
335 material_data[i].res[0] = inf['res'][0]
336 material_data[i].res[1] = inf['res'][1]
337 material_data[i].name = inf['name'].encode('utf-8')
338
339 mesh.edges = cast(edge_data, POINTER(cxr_edge))
340 mesh.vertices = cast(vertex_data, POINTER(c_double*3))
341 mesh.loops = cast(loop_data,POINTER(cxr_static_loop))
342 mesh.polys = cast(polygon_data, POINTER(cxr_polygon))
343 mesh.materials = cast(material_data, POINTER(cxr_material))
344
345 mesh.poly_count = len(data.polygons)
346 mesh.vertex_count = len(data.vertices)
347 mesh.edge_count = len(data.edges)
348 mesh.loop_count = len(data.loops)
349 mesh.material_count = len(obj.material_slots)
350
351 if orig_state != None:
352 bpy.ops.object.mode_set(mode=orig_state)
353
354 return mesh
355
356 # Callback ctypes indirection things.. not really sure.
357 c_libcxr_log_callback = None
358 c_libcxr_line_callback = None
359
360 # Public API
361 # -------------------------------------------------------------
362 libcxr_decompose = extern( "cxr_decompose",
363 [POINTER(cxr_static_mesh), POINTER(c_int32)],
364 c_void_p
365 )
366 libcxr_free_world = extern( "cxr_free_world",
367 [c_void_p],
368 None
369 )
370 libcxr_write_test_data = extern( "cxr_write_test_data",
371 [POINTER(cxr_static_mesh)],
372 None
373 )
374 libcxr_world_preview = extern( "cxr_world_preview",
375 [c_void_p],
376 POINTER(cxr_tri_mesh)
377 )
378 libcxr_free_tri_mesh = extern( "cxr_free_tri_mesh",
379 [c_void_p],
380 None
381 )
382 libcxr_begin_vmf = extern( "cxr_begin_vmf",
383 [POINTER(cxr_vmf_context), c_void_p],
384 None
385 )
386 libcxr_vmf_begin_entities = extern( "cxr_vmf_begin_entities",
387 [POINTER(cxr_vmf_context), c_void_p],
388 None
389 )
390 libcxr_push_world_vmf = extern("cxr_push_world_vmf",
391 [c_void_p,POINTER(cxr_vmf_context),c_void_p],
392 None
393 )
394 libcxr_end_vmf = extern( "cxr_end_vmf",
395 [POINTER(cxr_vmf_context),c_void_p],
396 None
397 )
398
399 # VDF + with open wrapper
400 libcxr_vdf_open = extern( "cxr_vdf_open", [c_char_p], c_void_p )
401 libcxr_vdf_close = extern( "cxr_vdf_close", [c_void_p], None )
402 libcxr_vdf_put = extern( "cxr_vdf_put", [c_void_p,c_char_p], None )
403 libcxr_vdf_node = extern( "cxr_vdf_node", [c_void_p,c_char_p], None )
404 libcxr_vdf_edon = extern( "cxr_vdf_edon", [c_void_p], None )
405 libcxr_vdf_kv = extern( "cxr_vdf_kv", [c_void_p,c_char_p,c_char_p], None )
406
407 class vdf_structure():
408 def __init__(_,path):
409 _.path = path
410 def __enter__(_):
411 _.fp = libcxr_vdf_open.call( _.path.encode('utf-8') )
412 if _.fp == None:
413 print( F"Could not open file {_.path}" )
414 return None
415 return _
416 def __exit__(_,type,value,traceback):
417 if _.fp != None:
418 libcxr_vdf_close.call(_.fp)
419 def put(_,s):
420 libcxr_vdf_put.call(_.fp, s.encode('utf-8') )
421 def node(_,name):
422 libcxr_vdf_node.call(_.fp, name.encode('utf-8') )
423 def edon(_):
424 libcxr_vdf_edon.call(_.fp)
425 def kv(_,k,v):
426 libcxr_vdf_kv.call(_.fp, k.encode('utf-8'), v.encode('utf-8'))
427
428 # Other
429 libcxr_lightpatch_bsp = extern( "cxr_lightpatch_bsp", [c_char_p], None )
430
431 libcxr_funcs = [ libcxr_decompose, libcxr_free_world, libcxr_begin_vmf, \
432 libcxr_vmf_begin_entities, libcxr_push_world_vmf, \
433 libcxr_end_vmf, libcxr_vdf_open, libcxr_vdf_close, \
434 libcxr_vdf_put, libcxr_vdf_node, libcxr_vdf_edon,
435 libcxr_vdf_kv, libcxr_lightpatch_bsp, libcxr_write_test_data,\
436 libcxr_world_preview, libcxr_free_tri_mesh ]
437
438 # Callbacks
439
440 def libcxr_log_callback(logStr):
441 print( F"{logStr.decode('utf-8')}",end='' )
442
443 cxr_line_positions = None
444 cxr_line_colours = None
445
446 def cxr_reset_lines():
447 global cxr_line_positions, cxr_line_colours
448
449 cxr_line_positions = []
450 cxr_line_colours = []
451
452 def cxr_batch_lines():
453 global cxr_line_positions, cxr_line_colours, cxr_view_shader, cxr_view_lines
454
455 cxr_view_lines = batch_for_shader(\
456 cxr_view_shader, 'LINES',\
457 { "pos": cxr_line_positions, "color": cxr_line_colours })
458
459 def libcxr_line_callback( p0,p1,colour ):
460 global cxr_line_colours, cxr_line_positions
461
462 cxr_line_positions += [(p0[0],p0[1],p0[2])]
463 cxr_line_positions += [(p1[0],p1[1],p1[2])]
464 cxr_line_colours += [(colour[0],colour[1],colour[2],colour[3])]
465 cxr_line_colours += [(colour[0],colour[1],colour[2],colour[3])]
466
467 # libnbvtf
468 # ------------------------------------------------------------------------------
469
470 libnbvtf = None
471
472 # Constants
473 NBVTF_IMAGE_FORMAT_RGBA8888 = 0
474 NBVTF_IMAGE_FORMAT_RGB888 = 2
475 NBVTF_IMAGE_FORMAT_DXT1 = 13
476 NBVTF_IMAGE_FORMAT_DXT5 = 15
477 NBVTF_TEXTUREFLAGS_CLAMPS = 0x00000004
478 NBVTF_TEXTUREFLAGS_CLAMPT = 0x00000008
479 NBVTF_TEXTUREFLAGS_NORMAL = 0x00000080
480 NBVTF_TEXTUREFLAGS_NOMIP = 0x00000100
481 NBVTF_TEXTUREFLAGS_NOLOD = 0x00000200
482
483 libnbvtf_convert = extern( "nbvtf_convert", \
484 [c_char_p,c_int32,c_int32,c_int32,c_int32,c_int32,c_uint32,c_char_p], \
485 c_int32 )
486
487 libnbvtf_init = extern( "nbvtf_init", [], None )
488 libnbvtf_funcs = [ libnbvtf_convert, libnbvtf_init ]
489
490 # Loading
491 # --------------------------
492
493 def shared_reload():
494 global libcxr, libnbvtf, libcxr_funcs, libnbvtf_funcs
495
496 # Unload libraries if existing
497 def _reload( lib, path ):
498 if lib != None:
499 _handle = lib._handle
500 for i in range(10): libc_dlclose( _handle )
501 lib = None
502 del lib
503 return cdll.LoadLibrary( F'{os.path.dirname(__file__)}/{path}.so' )
504
505 libnbvtf = _reload( libnbvtf, "libnbvtf" )
506 libcxr = _reload( libcxr, "libcxr" )
507
508 for fd in libnbvtf_funcs:
509 fd.loadfrom( libnbvtf )
510 libnbvtf_init.call()
511
512 for fd in libcxr_funcs:
513 fd.loadfrom( libcxr )
514
515 # Callbacks
516 global c_libcxr_log_callback, c_libcxr_line_callback
517
518 LOG_FUNCTION_TYPE = CFUNCTYPE(None,c_char_p)
519 c_libcxr_log_callback = LOG_FUNCTION_TYPE(libcxr_log_callback)
520
521 LINE_FUNCTION_TYPE = CFUNCTYPE(None,\
522 POINTER(c_double), POINTER(c_double), POINTER(c_double))
523 c_libcxr_line_callback = LINE_FUNCTION_TYPE(libcxr_line_callback)
524
525 libcxr.cxr_set_log_function(cast(c_libcxr_log_callback,c_void_p))
526 libcxr.cxr_set_line_function(cast(c_libcxr_line_callback,c_void_p))
527
528 build_time = c_char_p.in_dll(libcxr,'cxr_build_time')
529 print( F"libcxr build time: {build_time.value}" )
530
531 shared_reload()
532
533 # Configuration
534 # ------------------------------------------------------------------------------
535
536 # Standard entity functions, think of like base.fgd
537 #
538 def cxr_get_origin(context):
539 return context['object'].location * context['transform']['scale'] + \
540 mathutils.Vector(context['transform']['offset'])
541
542 def cxr_get_angles(context):
543 obj = context['object']
544 euler = [ a*57.295779513 for a in obj.rotation_euler ]
545 angle = [0,0,0]
546 angle[0] = euler[1]
547 angle[1] = euler[2]
548 angle[2] = euler[0]
549 return angle
550
551 def cxr_baseclass(classes, other):
552 base = other.copy()
553 for x in classes:
554 base.update(x.copy())
555 return base
556
557 # EEVEE Light component converter -> Source 1
558 #
559 def ent_lights(context):
560 obj = context['object']
561 kvs = cxr_baseclass([ent_origin],\
562 {
563 "_distance": (0.0 if obj.data.cxr_data.realtime else -1.0),
564 "_light": [int(pow(obj.data.color[i],1.0/2.2)*255.0) for i in range(3)] +\
565 [int(obj.data.energy * bpy.context.scene.cxr_data.light_scale)],
566 "_lightHDR": '-1 -1 -1 1',
567 "_lightscaleHDR": 1
568 })
569
570 if obj.data.type == 'SPOT':
571 kvs['_cone'] = obj.data.spot_size*(57.295779513/2.0)
572 kvs['_inner_cone'] = (1.0-obj.data.spot_blend)*kvs['_cone']
573
574 # Blenders spotlights are -z forward
575 # Source is +x, however, it seems to use a completely different system.
576 # Since we dont care about roll for spotlights, we just take the
577 # pitch and yaw via trig
578
579 _,mtx_rot,_ = obj.matrix_world.decompose()
580 fwd = mtx_rot @ mathutils.Vector((0,0,-1))
581
582 kvs['pitch'] = math.asin(fwd[2]) * 57.295779513
583 kvs['angles'] = [ 0.0, math.atan2(fwd[1],fwd[0]) * 57.295779513, 0.0 ]
584 kvs['_quadratic_attn'] = 0.0 # Source spotlights + quadratic falloff look
585 # Really bad...
586 #
587 # Blender's default has a much more 'nice'
588 # look.
589 kvs['_linear_attn'] = 1.0
590
591 elif obj.data.type == 'POINT':
592 kvs['_quadratic_attn'] = 1.0
593 kvs['_linear_attn'] = 0.0
594
595 elif obj.data.type == 'SUN':
596 pass # TODO
597
598 return kvs
599
600 def ent_prop(context):
601 kvs = {}
602 if isinstance( context['object'], bpy.types.Collection ):
603 kvs['angles'] = [0,180,0]
604 kvs['enablelightbounce'] = 1
605 kvs['disableshadows'] = 0
606 kvs['fademindist'] = -1
607 kvs['fadescale'] = 1
608 kvs['model'] = F"{asset_path('models',context['object'])}.mdl".lower()
609 kvs['renderamt'] = 255
610 kvs['rendercolor'] = [255, 255, 255]
611 kvs['skin'] = 0
612 kvs['solid'] = 6
613 kvs['uniformscale'] = 1.0
614
615 pos = mathutils.Vector(context['origin'])
616 pos += mathutils.Vector(context['transform']['offset'])
617
618 kvs['origin'] = [pos[1],-pos[0],pos[2]]
619
620 return kvs
621
622 def ent_cubemap(context):
623 obj = context['object']
624 return cxr_baseclass([ent_origin], {"cubemapsize": obj.data.cxr_data.size})
625
626 ent_origin = { "origin": cxr_get_origin }
627 ent_angles = { "angles": cxr_get_angles }
628 ent_transform = cxr_baseclass( [ent_origin], ent_angles )
629
630 #include the user config
631 exec(open(F'{os.path.dirname(__file__)}/config.py').read())
632
633 # Blender state callbacks
634 # ------------------------------------------------------------------------------
635
636 @persistent
637 def cxr_on_load(dummy):
638 global cxr_view_lines, cxr_view_mesh
639
640 cxr_view_lines = None
641 cxr_view_mesh = None
642
643 @persistent
644 def cxr_dgraph_update(scene,dgraph):
645 return
646 print( F"Hallo {time.time()}" )
647
648 # Convexer compilation functions
649 # ------------------------------------------------------------------------------
650
651 # Asset path management
652
653 def asset_uid(asset):
654 if isinstance(asset,str):
655 return asset
656
657 # Create a unique ID string
658 base = "bopshei"
659 v = asset.cxr_data.asset_id
660 name = ""
661
662 if v == 0:
663 name = "A"
664 else:
665 dig = []
666
667 while v:
668 dig.append( int( v % len(base) ) )
669 v //= len(base)
670
671 for d in dig[::-1]:
672 name += base[d]
673
674 if bpy.context.scene.cxr_data.include_names:
675 name += asset.name.replace('.','_')
676
677 return name
678
679 # -> <project_name>/<asset_name>
680 def asset_name(asset):
681 return F"{bpy.context.scene.cxr_data.project_name}/{asset_uid(asset)}"
682
683 # -> <subdir>/<project_name>/<asset_name>
684 def asset_path(subdir, asset):
685 return F"{subdir}/{asset_name(asset_uid(asset))}"
686
687 # -> <csgo>/<subdir>/<project_name>/<asset_name>
688 def asset_full_path(sdir,asset):
689 return F"{bpy.context.scene.cxr_data.subdir}/"+\
690 F"{asset_path(sdir,asset_uid(asset))}"
691
692 # Entity functions / infos
693 # ------------------------
694
695 def cxr_intrinsic_classname(obj):
696 if obj.type == 'LIGHT':
697 return {
698 'SPOT': "light_spot",
699 'POINT': "light",
700 'SUN': "light_directional" }[ obj.data.type ]
701
702 elif obj.type == 'LIGHT_PROBE':
703 return "env_cubemap"
704 elif obj.type == 'EMPTY':
705 if obj.is_instancer:
706 return "prop_static"
707
708 return None
709
710 def cxr_custom_class(obj):
711 if obj.type == 'MESH': custom_class = obj.cxr_data.brushclass
712 else: custom_class = obj.cxr_data.classname
713
714 return custom_class
715
716 def cxr_classname(obj):
717 intr = cxr_intrinsic_classname(obj)
718 if intr != None: return intr
719
720 custom_class = cxr_custom_class(obj)
721 if custom_class != 'NONE':
722 return custom_class
723
724 return None
725
726 # Returns array of:
727 # intinsic: (k, False, value)
728 # property: (k, True, value or default)
729 #
730 # Error: None
731 #
732 def cxr_entity_keyvalues(context):
733 classname = context['classname']
734 obj = context['object']
735 if classname not in cxr_entities: return None
736
737 result = []
738
739 entdef = cxr_entities[classname]
740 kvs = entdef['keyvalues']
741
742 if callable(kvs): kvs = kvs(context)
743
744 for k in kvs:
745 kv = kvs[k]
746 value = kv
747 isprop = False
748
749 if isinstance(kv,dict):
750 isprop = True
751 value = obj[ F"cxrkv_{k}" ]
752 else:
753 if callable(kv):
754 value = kv(context)
755
756 if isinstance(value,mathutils.Vector):
757 value = [_ for _ in value]
758
759 result += [(k, isprop, value)]
760
761 return result
762
763 # Extract material information from shader graph data
764 #
765 def material_info(mat):
766 info = {}
767 info['res'] = (512,512)
768 info['name'] = 'tools/toolsnodraw'
769
770 if mat == None or mat.use_nodes == False:
771 return info
772
773 # Builtin shader
774 if mat.cxr_data.shader == 'Builtin':
775 info['name'] = mat.name
776 return info
777
778 # Custom materials
779 info['name'] = asset_name(mat)
780
781 # Using the cxr_graph_mapping as a reference, go through the shader
782 # graph and gather all $props from it.
783 #
784 def _graph_read( node_def, node=None, depth=0 ):
785 nonlocal mat
786 nonlocal info
787
788 def _variant_apply( val ):
789 nonlocal mat
790
791 if isinstance( val, str ):
792 return val
793 else:
794 for shader_variant in val:
795 if shader_variant[0] == mat.cxr_data.shader:
796 return shader_variant[1]
797
798 # Find rootnodes
799 if node == None:
800 _graph_read.extracted = []
801
802 for node_idname in node_def:
803 for n in mat.node_tree.nodes:
804 if n.bl_idname == node_idname:
805 node_def = node_def[node_idname]
806 node = n
807 break
808
809 for link in node_def:
810 if isinstance( node_def[link], dict ):
811 inputt = node.inputs[link]
812 inputt_def = node_def[link]
813
814 if inputt.is_linked:
815
816 # look for definitions for the connected node type
817 con = inputt.links[0].from_node
818
819 for node_idname in inputt_def:
820 if con.bl_idname == node_idname:
821 con_def = inputt_def[ node_idname ]
822 _graph_read( con_def, con, depth+1 )
823
824 # No definition found! :(
825 # TODO: Make a warning for this?
826
827 else:
828 if "default" in inputt_def:
829 prop = _variant_apply( inputt_def['default'] )
830 info[prop] = inputt.default_value
831 else:
832 prop = _variant_apply( node_def[link] )
833 info[prop] = getattr(node,link)
834
835 _graph_read(cxr_graph_mapping)
836
837 if "$basetexture" in info:
838 export_res = info['$basetexture'].cxr_data.export_res
839 info['res'] = (export_res[0], export_res[1])
840
841 return info
842
843 def vec3_min( a, b ):
844 return mathutils.Vector((min(a[0],b[0]),min(a[1],b[1]),min(a[2],b[2])))
845 def vec3_max( a, b ):
846 return mathutils.Vector((max(a[0],b[0]),max(a[1],b[1]),max(a[2],b[2])))
847
848 def cxr_collection_center(collection, transform):
849 BIG=999999999
850 bounds_min = mathutils.Vector((BIG,BIG,BIG))
851 bounds_max = mathutils.Vector((-BIG,-BIG,-BIG))
852
853 for obj in collection.objects:
854 if obj.type == 'MESH':
855 corners = [ mathutils.Vector(c) for c in obj.bound_box ]
856
857 for corner in [ obj.matrix_world@c for c in corners ]:
858 bounds_min = vec3_min( bounds_min, corner )
859 bounds_max = vec3_max( bounds_max, corner )
860
861 center = (bounds_min + bounds_max) / 2.0
862
863 origin = mathutils.Vector((-center[1],center[0],center[2]))
864 origin *= transform['scale']
865
866 return origin
867
868 # Prepares Scene into dictionary format
869 #
870 def cxr_scene_collect():
871 context = bpy.context
872
873 # Make sure all of our asset types have a unique ID
874 def _uid_prepare(objtype):
875 used_ids = [0]
876 to_generate = []
877 id_max = 0
878 for o in objtype:
879 vs = o.cxr_data
880 if vs.asset_id in used_ids:
881 to_generate+=[vs]
882 else:
883 id_max = max(id_max,vs.asset_id)
884 used_ids+=[vs.asset_id]
885 for vs in to_generate:
886 id_max += 1
887 vs.asset_id = id_max
888 _uid_prepare(bpy.data.materials)
889 _uid_prepare(bpy.data.images)
890 _uid_prepare(bpy.data.collections)
891
892 sceneinfo = {
893 "entities": [], # Everything with a classname
894 "geo": [], # All meshes without a classname
895 "heros": [] # Collections prefixed with mdl_
896 }
897
898 def _collect(collection,transform):
899 nonlocal sceneinfo
900
901 if collection.name.startswith('.'): return
902 if collection.hide_render: return
903
904 if collection.name.startswith('mdl_'):
905 sceneinfo['entities'] += [{
906 "object": collection,
907 "classname": "prop_static",
908 "transform": transform,
909 "origin": cxr_collection_center( collection, transform )
910 }]
911
912 sceneinfo['heros'] += [{
913 "collection": collection,
914 "transform": transform,
915 "origin": cxr_collection_center( collection, transform )
916 }]
917 return
918
919 for obj in collection.objects:
920 if obj.hide_get(): continue
921
922 classname = cxr_classname( obj )
923
924 if classname != None:
925 sceneinfo['entities'] += [{
926 "object": obj,
927 "classname": classname,
928 "transform": transform
929 }]
930 elif obj.type == 'MESH':
931 sceneinfo['geo'] += [{
932 "object": obj,
933 "transform": transform
934 }]
935
936 for c in collection.children:
937 _collect( c, transform )
938
939 transform_main = {
940 "scale": context.scene.cxr_data.scale_factor,
941 "offset": (0,0,0)
942 }
943
944 transform_sky = {
945 "scale": context.scene.cxr_data.skybox_scale_factor,
946 "offset": (0,0,context.scene.cxr_data.skybox_offset )
947 }
948
949 if 'main' in bpy.data.collections:
950 _collect( bpy.data.collections['main'], transform_main )
951
952 if 'skybox' in bpy.data.collections:
953 _collect( bpy.data.collections['skybox'], transform_sky )
954
955 return sceneinfo
956
957 # Write VMF out to file (JOB HANDLER)
958 #
959 def cxr_export_vmf(sceneinfo, output_vmf):
960 cxr_reset_lines()
961
962 with vdf_structure(output_vmf) as m:
963 print( F"Write: {output_vmf}" )
964
965 vmfinfo = cxr_vmf_context()
966 vmfinfo.mapversion = 4
967
968 #TODO: These need to be in options...
969 vmfinfo.skyname = b"sky_csgo_night02b"
970 vmfinfo.detailvbsp = b"detail.vbsp"
971 vmfinfo.detailmaterial = b"detail/detailsprites"
972 vmfinfo.lightmap_scale = 12
973
974 vmfinfo.brush_count = 0
975 vmfinfo.entity_count = 0
976 vmfinfo.face_count = 0
977
978 libcxr_begin_vmf.call( pointer(vmfinfo), m.fp )
979
980 def _buildsolid( cmd ):
981 nonlocal m
982
983 print( F"{vmfinfo.brush_count} :: {cmd['object'].name}" )
984
985 baked = mesh_cxr_format( cmd['object'] )
986 world = libcxr_decompose.call( baked, None )
987
988 if world == None:
989 return False
990
991 vmfinfo.scale = cmd['transform']['scale']
992
993 offset = cmd['transform']['offset']
994 vmfinfo.offset[0] = offset[0]
995 vmfinfo.offset[1] = offset[1]
996 vmfinfo.offset[2] = offset[2]
997
998 libcxr_push_world_vmf.call( world, pointer(vmfinfo), m.fp )
999 libcxr_free_world.call( world )
1000
1001 return True
1002
1003 # World geometry
1004 for brush in sceneinfo['geo']:
1005 if not _buildsolid( brush ):
1006 cxr_batch_lines()
1007 scene_redraw()
1008 return False
1009
1010 libcxr_vmf_begin_entities.call(pointer(vmfinfo), m.fp)
1011
1012 # Entities
1013 for ent in sceneinfo['entities']:
1014 obj = ent['object']
1015 ctx = ent['transform']
1016 cls = ent['classname']
1017
1018 m.node( 'entity' )
1019 m.kv( 'classname', cls )
1020
1021 kvs = cxr_entity_keyvalues( ent )
1022
1023 for kv in kvs:
1024 if isinstance(kv[2], list):
1025 m.kv( kv[0], ' '.join([str(_) for _ in kv[2]]) )
1026 else: m.kv( kv[0], str(kv[2]) )
1027
1028 if not isinstance( obj, bpy.types.Collection ):
1029 if obj.type == 'MESH':
1030 if not _buildsolid( ent ):
1031 cxr_batch_lines()
1032 scene_redraw()
1033 return False
1034
1035 m.edon()
1036
1037 print( "Done" )
1038 return True
1039
1040 # COmpile image using NBVTF and hash it (JOB HANDLER)
1041 #
1042 def compile_image(img):
1043 if img==None:
1044 return None
1045
1046 name = asset_name(img)
1047 src_path = bpy.path.abspath(img.filepath)
1048
1049 dims = img.cxr_data.export_res
1050 fmt = {
1051 'RGBA': NBVTF_IMAGE_FORMAT_RGBA8888,
1052 'DXT1': NBVTF_IMAGE_FORMAT_DXT1,
1053 'DXT5': NBVTF_IMAGE_FORMAT_DXT5,
1054 'RGB': NBVTF_IMAGE_FORMAT_RGB888
1055 }[ img.cxr_data.fmt ]
1056
1057 mipmap = img.cxr_data.mipmap
1058 lod = img.cxr_data.lod
1059 clamp = img.cxr_data.clamp
1060 flags = img.cxr_data.flags
1061
1062 q=bpy.context.scene.cxr_data.image_quality
1063
1064 userflag_hash = F"{mipmap}.{lod}.{clamp}.{flags}"
1065 file_hash = F"{name}.{os.path.getmtime(src_path)}"
1066 comphash = F"{file_hash}.{dims[0]}.{dims[1]}.{fmt}.{userflag_hash}.{q}"
1067
1068 if img.cxr_data.last_hash != comphash:
1069 print( F"Texture update: {img.filepath}" )
1070
1071 src = src_path.encode('utf-8')
1072 dst = (asset_full_path('materials',img)+'.vtf').encode('utf-8')
1073
1074 flags_full = flags
1075
1076 # texture setting flags
1077 if not lod: flags_full |= NBVTF_TEXTUREFLAGS_NOLOD
1078 if clamp:
1079 flags_full |= NBVTF_TEXTUREFLAGS_CLAMPS
1080 flags_full |= NBVTF_TEXTUREFLAGS_CLAMPT
1081
1082 if libnbvtf_convert.call(src,dims[0],dims[1],mipmap,fmt,q,flags_full,dst):
1083 img.cxr_data.last_hash = comphash
1084
1085 return name
1086
1087 #
1088 # Compile a material to VMT format. This is quick to run, doesnt need to be a
1089 # job handler.
1090 #
1091 def compile_material(mat):
1092 info = material_info(mat)
1093 properties = mat.cxr_data
1094
1095 print( F"Compile {asset_full_path('materials',mat)}.vmt" )
1096 if properties.shader == 'Builtin':
1097 return []
1098
1099 props = []
1100
1101 # Walk the property tree
1102 def _mlayer( layer ):
1103 nonlocal properties, props
1104
1105 for decl in layer:
1106 if isinstance(layer[decl],dict): # $property definition
1107 pdef = layer[decl]
1108 ptype = pdef['type']
1109
1110 subdefines = False
1111 default = None
1112 prop = None
1113
1114 if 'shaders' in pdef and properties.shader not in pdef['shaders']:
1115 continue
1116
1117 # Group expansion (does it have subdefinitions?)
1118 for ch in pdef:
1119 if isinstance(pdef[ch],dict):
1120 subdefines = True
1121 break
1122
1123 expandview = False
1124
1125 if ptype == 'ui':
1126 expandview = True
1127 else:
1128 if ptype == 'intrinsic':
1129 if decl in info:
1130 prop = info[decl]
1131 else:
1132 prop = getattr(properties,decl)
1133 default = pdef['default']
1134
1135 if not isinstance(prop,str) and \
1136 not isinstance(prop,bpy.types.Image) and \
1137 hasattr(prop,'__getitem__'):
1138 prop = tuple([p for p in prop])
1139
1140 if prop != default:
1141 # write prop
1142 props += [(decl,pdef,prop)]
1143
1144 if subdefines:
1145 expandview = True
1146
1147 if expandview: _mlayer(pdef)
1148
1149 _mlayer( cxr_shader_params )
1150
1151 # Write the vmt
1152 with vdf_structure( F"{asset_full_path('materials',mat)}.vmt" ) as vmt:
1153 vmt.node( properties.shader )
1154 vmt.put( "// Convexer export\n" )
1155
1156 for pair in props:
1157 decl = pair[0]
1158 pdef = pair[1]
1159 prop = pair[2]
1160
1161 def _numeric(v):
1162 nonlocal pdef
1163 if 'exponent' in pdef: return str(pow( v, pdef['exponent'] ))
1164 else: return str(v)
1165
1166 if isinstance(prop,bpy.types.Image):
1167 vmt.kv( decl, asset_name(prop))
1168 elif isinstance(prop,bool):
1169 vmt.kv( decl, '1' if prop else '0' )
1170 elif isinstance(prop,str):
1171 vmt.kv( decl, prop )
1172 elif isinstance(prop,float) or isinstance(prop,int):
1173 vmt.kv( decl, _numeric(prop) )
1174 elif isinstance(prop,tuple):
1175 vmt.kv( decl, F"[{' '.join([_numeric(_) for _ in prop])}]" )
1176 else:
1177 vmt.put( F"// (cxr) unkown shader value type'{type(prop)}'" )
1178
1179 vmt.edon()
1180 return props
1181
1182 def cxr_export_modelsrc( mdl, origin, asset_dir, project_name, transform ):
1183 dgraph = bpy.context.evaluated_depsgraph_get()
1184
1185 # Compute hash value
1186 chash = asset_uid(mdl)+str(origin)+str(transform)
1187
1188 #for obj in mdl.objects:
1189 # if obj.type != 'MESH':
1190 # continue
1191
1192 # ev = obj.evaluated_get(dgraph).data
1193 # srcverts=[(v.co[0],v.co[1],v.co[2]) for v in ev.vertices]
1194 # srcloops=[(l.normal[0],l.normal[1],l.normal[2]) for l in ev.loops]
1195
1196 # chash=hashlib.sha224((str(srcverts)+chash).encode()).hexdigest()
1197 # chash=hashlib.sha224((str(srcloops)+chash).encode()).hexdigest()
1198
1199 # if ev.uv_layers.active != None:
1200 # uv_layer = ev.uv_layers.active.data
1201 # srcuv=[(uv.uv[0],uv.uv[1]) for uv in uv_layer]
1202 # else:
1203 # srcuv=['none']
1204
1205 # chash=hashlib.sha224((str(srcuv)+chash).encode()).hexdigest()
1206 # srcmats=[ ms.material.name for ms in obj.material_slots ]
1207 # chash=hashlib.sha224((str(srcmats)+chash).encode()).hexdigest()
1208 # transforms=[ obj.location, obj.rotation_euler, obj.scale ]
1209 # srctr=[(v[0],v[1],v[2]) for v in transforms]
1210 # chash=hashlib.sha224((str(srctr)+chash).encode()).hexdigest()
1211
1212 #if chash != mdl.cxr_data.last_hash:
1213 # mdl.cxr_data.last_hash = chash
1214 # print( F"Compile: {mdl.name}" )
1215 #else:
1216 # return True
1217
1218 bpy.ops.object.select_all(action='DESELECT')
1219
1220 # Get viewlayer
1221 def _get_layer(col,name):
1222 for c in col.children:
1223 if c.name == name:
1224 return c
1225 sub = _get_layer(c,name)
1226 if sub != None:
1227 return sub
1228 return None
1229 layer = _get_layer(bpy.context.view_layer.layer_collection,mdl.name)
1230
1231 prev_state = layer.hide_viewport
1232 layer.hide_viewport=False
1233
1234 # Collect materials to be compiled, and temp rename for export
1235 mat_dict = {}
1236
1237 for obj in mdl.objects:
1238 obj.select_set(state=True)
1239 for ms in obj.material_slots:
1240 if ms.material != None:
1241 if ms.material not in mat_dict:
1242 mat_dict[ms.material] = ms.material.name
1243 ms.material.name = asset_uid(ms.material)
1244 ms.material.use_nodes = False
1245
1246 uid=asset_uid(mdl)
1247 bpy.ops.export_scene.fbx( filepath=F'{asset_dir}/{uid}_ref.fbx',\
1248 check_existing=False,
1249 use_selection=True,
1250 apply_unit_scale=False,
1251 bake_space_transform=False
1252 )
1253
1254 # Fix material names back to original
1255 for mat in mat_dict:
1256 mat.name = mat_dict[mat]
1257 mat.use_nodes = True
1258
1259 layer.hide_viewport=prev_state
1260
1261 # Write out QC file
1262 with open(F'{asset_dir}/{uid}.qc','w') as o:
1263 o.write(F'$modelname "{project_name}/{uid}"\n')
1264 #o.write(F'$scale .32\n')
1265 o.write(F'$scale {transform["scale"]/100.0}\n')
1266 o.write(F'$body _ "{uid}_ref.fbx"\n')
1267 o.write(F'$staticprop\n')
1268 o.write(F'$origin {origin[0]} {origin[1]} {origin[2]}\n')
1269
1270 #TODO: vphys
1271 o.write(F'$cdmaterials {project_name}\n')
1272 o.write(F'$sequence idle {uid}_ref.fbx\n')
1273
1274 return True
1275 #
1276 # Copy bsp file (and also lightpatch it)
1277 #
1278 def cxr_patchmap( src, dst ):
1279 libcxr_lightpatch_bsp.call( src.encode('utf-8') )
1280 shutil.copyfile( src, dst )
1281 return True
1282
1283 # Convexer operators
1284 # ------------------------------------------------------------------------------
1285
1286 # Force reload of shared libraries
1287 #
1288 class CXR_RELOAD(bpy.types.Operator):
1289 bl_idname="convexer.reload"
1290 bl_label="Reload"
1291 def execute(_,context):
1292 shared_reload()
1293 return {'FINISHED'}
1294
1295 # Used for exporting data to use with ASAN builds
1296 #
1297 class CXR_DEV_OPERATOR(bpy.types.Operator):
1298 bl_idname="convexer.dev_test"
1299 bl_label="Export development data"
1300
1301 def execute(_,context):
1302 # Prepare input data
1303 mesh_src = mesh_cxr_format(context.active_object)
1304 libcxr_write_test_data.call( pointer(mesh_src) )
1305 return {'FINISHED'}
1306
1307 # UI: Preview how the brushes will looks in 3D view
1308 #
1309 class CXR_PREVIEW_OPERATOR(bpy.types.Operator):
1310 bl_idname="convexer.preview"
1311 bl_label="Preview Brushes"
1312
1313 LASTERR = None
1314 RUNNING = False
1315
1316 def execute(_,context):
1317 return {'FINISHED'}
1318
1319 def modal(_,context,event):
1320 global cxr_view_mesh
1321 static = _.__class__
1322
1323 if event.type == 'ESC':
1324 cxr_reset_lines()
1325 cxr_batch_lines()
1326 cxr_view_mesh = None
1327 static.RUNNING = False
1328
1329 scene_redraw()
1330 return {'FINISHED'}
1331
1332 return {'PASS_THROUGH'}
1333
1334 def invoke(_,context,event):
1335 global cxr_view_shader, cxr_view_mesh
1336 static = _.__class__
1337 static.LASTERR = None
1338
1339 cxr_reset_lines()
1340
1341 mesh_src = mesh_cxr_format(context.active_object)
1342
1343 err = c_int32(0)
1344 world = libcxr_decompose.call( mesh_src, pointer(err) )
1345
1346 if world == None:
1347 cxr_view_mesh = None
1348 cxr_batch_lines()
1349 scene_redraw()
1350
1351 static.LASTERR = ["There is no error", \
1352 "Non-Manifold",\
1353 "Bad-Manifold",\
1354 "No-Candidate",\
1355 "Internal-Fail",\
1356 "Non-Coplanar",\
1357 "Non-Convex Polygon"]\
1358 [err.value]
1359
1360 if static.RUNNING:
1361 return {'CANCELLED'}
1362 else:
1363 context.window_manager.modal_handler_add(_)
1364 return {'RUNNING_MODAL'}
1365
1366 # Generate preview using cxr
1367 #
1368 ptrpreview = libcxr_world_preview.call( world )
1369 preview = ptrpreview[0]
1370
1371 vertices = preview.vertices[:preview.vertex_count]
1372 vertices = [(_[0],_[1],_[2]) for _ in vertices]
1373
1374 colours = preview.colours[:preview.vertex_count]
1375 colours = [(_[0],_[1],_[2],_[3]) for _ in colours]
1376
1377 indices = preview.indices[:preview.indices_count]
1378 indices = [ (indices[i*3+0],indices[i*3+1],indices[i*3+2]) \
1379 for i in range(int(preview.indices_count/3)) ]
1380
1381 cxr_view_mesh = batch_for_shader(
1382 cxr_view_shader, 'TRIS',
1383 { "pos": vertices, "color": colours },
1384 indices = indices,
1385 )
1386
1387 libcxr_free_tri_mesh.call( ptrpreview )
1388 libcxr_free_world.call( world )
1389 cxr_batch_lines()
1390 scene_redraw()
1391
1392 # Allow user to spam the operator
1393 if static.RUNNING:
1394 return {'CANCELLED'}
1395
1396 if not static.RUNNING:
1397 static.RUNNING = True
1398 context.window_manager.modal_handler_add(_)
1399 return {'RUNNING_MODAL'}
1400
1401 # Search for VMF compiler executables in subdirectory
1402 #
1403 class CXR_DETECT_COMPILERS(bpy.types.Operator):
1404 bl_idname="convexer.detect_compilers"
1405 bl_label="Find compilers"
1406
1407 def execute(self,context):
1408 scene = context.scene
1409 settings = scene.cxr_data
1410 subdir = settings.subdir
1411
1412 for exename in ['studiomdl','vbsp','vvis','vrad']:
1413 searchpath = os.path.normpath(F'{subdir}/../bin/{exename}.exe')
1414 if os.path.exists(searchpath):
1415 settings[F'exe_{exename}'] = searchpath
1416
1417 return {'FINISHED'}
1418
1419 # Main compile function
1420 #
1421 class CXR_COMPILER_CHAIN(bpy.types.Operator):
1422 bl_idname="convexer.chain"
1423 bl_label="Compile Chain"
1424
1425 # 'static'
1426 USER_EXIT = False
1427 SUBPROC = None
1428 TIMER = None
1429 TIMER_LAST = 0.0
1430 WAIT_REDRAW = False
1431 FILE = None
1432 LOG = []
1433
1434 JOBINFO = None
1435 JOBID = 0
1436 JOBSYS = None
1437
1438 def cancel(_,context):
1439 global cxr_jobs_batch
1440 static = _.__class__
1441 wm = context.window_manager
1442
1443 if static.SUBPROC != None:
1444 static.SUBPROC.terminate()
1445 static.SUBPROC = None
1446
1447 if static.TIMER != None:
1448 wm.event_timer_remove( static.TIMER )
1449 static.TIMER = None
1450
1451 static.FILE.close()
1452
1453 cxr_jobs_batch = None
1454 scene_redraw()
1455 return {'FINISHED'}
1456
1457 def modal(_,context,ev):
1458 static = _.__class__
1459
1460 if ev.type == 'TIMER':
1461 global cxr_jobs_batch
1462
1463 if static.WAIT_REDRAW:
1464 scene_redraw()
1465 return {'PASS_THROUGH'}
1466 static.WAIT_REDRAW = True
1467
1468 if static.USER_EXIT:
1469 print( "Chain USER_EXIT" )
1470 return _.cancel(context)
1471
1472 if static.SUBPROC != None:
1473 # Deal with async modes
1474 status = static.SUBPROC.poll()
1475 if status == None:
1476
1477 # Cannot redirect STDOUT through here without causing
1478 # undefined behaviour due to the Blender Python specification.
1479 #
1480 # Have to write it out to a file and read it back in.
1481 #
1482 with open("/tmp/convexer_compile_log.txt","r") as log:
1483 static.LOG = log.readlines()
1484 return {'PASS_THROUGH'}
1485 else:
1486 #for l in static.SUBPROC.stdout:
1487 # print( F'-> {l.decode("utf-8")}',end='' )
1488 static.SUBPROC = None
1489
1490 if status != 0:
1491 print(F'Compiler () error: {status}')
1492 return _.cancel(context)
1493
1494 static.JOBSYS['jobs'][static.JOBID] = None
1495 cxr_jobs_update_graph( static.JOBINFO )
1496 scene_redraw()
1497 return {'PASS_THROUGH'}
1498
1499 # Compile syncronous thing
1500 for sys in static.JOBINFO:
1501 for i,target in enumerate(sys['jobs']):
1502 if target != None:
1503
1504 if callable(sys['exec']):
1505 print( F"Run (sync): {static.JOBID} @{time.time()}" )
1506
1507 if not sys['exec'](*target):
1508 print( "Job failed" )
1509 return _.cancel(context)
1510
1511 sys['jobs'][i] = None
1512 static.JOBID += 1
1513 else:
1514 # Run external executable (wine)
1515 static.SUBPROC = subprocess.Popen( target,
1516 stdout=static.FILE,\
1517 stderr=subprocess.PIPE,\
1518 cwd=sys['cwd'])
1519 static.JOBSYS = sys
1520 static.JOBID = i
1521
1522 cxr_jobs_update_graph( static.JOBINFO )
1523 scene_redraw()
1524 return {'PASS_THROUGH'}
1525
1526 # All completed
1527 print( "All jobs completed!" )
1528 cxr_jobs_batch = None
1529
1530 scene_redraw()
1531 return _.cancel(context)
1532
1533 return {'PASS_THROUGH'}
1534
1535 def invoke(_,context,event):
1536 static = _.__class__
1537 wm = context.window_manager
1538
1539 if static.TIMER == None:
1540 print("Launching compiler toolchain")
1541
1542 # Run static compilation units now (collect, vmt..)
1543 filepath = bpy.data.filepath
1544 directory = os.path.dirname(filepath)
1545 settings = bpy.context.scene.cxr_data
1546
1547 asset_dir = F"{directory}/modelsrc"
1548 material_dir = F"{settings.subdir}/materials/{settings.project_name}"
1549 model_dir = F"{settings.subdir}/models/{settings.project_name}"
1550 output_vmf = F"{directory}/{settings.project_name}.vmf"
1551
1552 os.makedirs( asset_dir, exist_ok=True )
1553 os.makedirs( material_dir, exist_ok=True )
1554 os.makedirs( model_dir, exist_ok=True )
1555
1556 static.FILE = open(F"/tmp/convexer_compile_log.txt","w")
1557 static.LOG = []
1558
1559 sceneinfo = cxr_scene_collect()
1560 image_jobs = []
1561 qc_jobs = []
1562
1563 # Collect materials
1564 a_materials = set()
1565 for brush in sceneinfo['geo']:
1566 for ms in brush['object'].material_slots:
1567 a_materials.add( ms.material )
1568
1569 for ent in sceneinfo['entities']:
1570 if isinstance(ent['object'],bpy.types.Collection): continue
1571
1572 if ent['object'].type == 'MESH':
1573 for ms in ent['object'].material_slots:
1574 a_materials.add( ms.material )
1575
1576 # TODO.. this should just be in the entity loop
1577 for hero in sceneinfo['heros']:
1578 uid = asset_uid(hero['collection'])
1579 qc_jobs += [F'{uid}.qc']
1580 for obj in hero['collection'].objects:
1581 for ms in obj.material_slots:
1582 a_materials.add( ms.material )
1583
1584 # Collect images
1585 for mat in a_materials:
1586 for pair in compile_material(mat):
1587 decl = pair[0]
1588 pdef = pair[1]
1589 prop = pair[2]
1590
1591 if isinstance(prop,bpy.types.Image):
1592 flags = 0
1593 if 'flags' in pdef: flags = pdef['flags']
1594 if prop not in image_jobs:
1595 image_jobs += [(prop,)]
1596 prop.cxr_data.flags = flags
1597
1598 # Convexer jobs
1599 static.JOBID = 0
1600 static.JOBINFO = []
1601
1602 if settings.comp_vmf:
1603 static.JOBINFO += [{
1604 "title": "Convexer",
1605 "w": 20,
1606 "colour": (1.0,0.3,0.1,1.0),
1607 "exec": cxr_export_vmf,
1608 "jobs": [(sceneinfo,output_vmf)]
1609 }]
1610
1611 if settings.comp_textures:
1612 if len(image_jobs) > 0:
1613 static.JOBINFO += [{
1614 "title": "Textures",
1615 "w": 40,
1616 "colour": (0.1,1.0,0.3,1.0),
1617 "exec": compile_image,
1618 "jobs": image_jobs
1619 }]
1620
1621 game = 'z:'+settings.subdir.replace('/','\\')
1622 args = [ \
1623 '-game', game, settings.project_name
1624 ]
1625
1626 # FBX stage
1627 if settings.comp_models:
1628 if len(sceneinfo['heros']) > 0:
1629 static.JOBINFO += [{
1630 "title": "Batches",
1631 "w": 25,
1632 "colour": (0.5,0.5,1.0,1.0),
1633 "exec": cxr_export_modelsrc,
1634 "jobs": [(h['collection'], h['origin'], asset_dir, \
1635 settings.project_name, h['transform']) for h in \
1636 sceneinfo['heros']]
1637 }]
1638
1639 if len(qc_jobs) > 0:
1640 static.JOBINFO += [{
1641 "title": "StudioMDL",
1642 "w": 20,
1643 "colour": (0.8,0.1,0.1,1.0),
1644 "exec": "studiomdl",
1645 "jobs": [[settings[F'exe_studiomdl']] + [\
1646 '-nop4', '-game', game, qc] for qc in qc_jobs],
1647 "cwd": asset_dir
1648 }]
1649
1650 # VBSP stage
1651 if settings.comp_compile:
1652 static.JOBINFO += [{
1653 "title": "VBSP",
1654 "w": 25,
1655 "colour": (0.1,0.2,1.0,1.0),
1656 "exec": "vbsp",
1657 "jobs": [[settings[F'exe_vbsp']] + args],
1658 "cwd": directory
1659 }]
1660
1661 static.JOBINFO += [{
1662 "title": "VVIS",
1663 "w": 25,
1664 "colour": (0.9,0.5,0.5,1.0),
1665 "exec": "vvis",
1666 "jobs": [[settings[F'exe_vvis']] + args],
1667 "cwd": directory
1668 }]
1669
1670 static.JOBINFO += [{
1671 "title": "VRAD",
1672 "w": 25,
1673 "colour": (0.9,0.2,0.3,1.0),
1674 "exec": "vrad",
1675 "jobs": [[settings[F'exe_vrad']] + args],
1676 "cwd": directory
1677 }]
1678
1679 static.JOBINFO += [{
1680 "title": "CXR",
1681 "w": 5,
1682 "colour": (0.0,1.0,0.4,1.0),
1683 "exec": cxr_patchmap,
1684 "jobs": [(F"{directory}/{settings.project_name}.bsp",\
1685 F"{settings.subdir}/maps/{settings.project_name}.bsp")]
1686 }]
1687
1688 static.USER_EXIT=False
1689 static.TIMER=wm.event_timer_add(0.1,window=context.window)
1690 wm.modal_handler_add(_)
1691
1692 cxr_jobs_update_graph( static.JOBINFO )
1693 scene_redraw()
1694 return {'RUNNING_MODAL'}
1695
1696 print("Chain exiting...")
1697 static.USER_EXIT=True
1698 return {'RUNNING_MODAL'}
1699
1700 class CXR_RESET_HASHES(bpy.types.Operator):
1701 bl_idname="convexer.hash_reset"
1702 bl_label="Reset asset hashes"
1703
1704 def execute(_,context):
1705 for c in bpy.data.collections:
1706 c.cxr_data.last_hash = F"<RESET>{time.time()}"
1707 c.cxr_data.asset_id=0
1708
1709 for t in bpy.data.images:
1710 t.cxr_data.last_hash = F"<RESET>{time.time()}"
1711 t.cxr_data.asset_id=0
1712
1713 return {'FINISHED'}
1714
1715 # Convexer panels
1716 # ------------------------------------------------------------------------------
1717
1718 # Helper buttons for 3d toolbox view
1719 #
1720 class CXR_VIEW3D( bpy.types.Panel ):
1721 bl_idname = "VIEW3D_PT_convexer"
1722 bl_label = "Convexer"
1723 bl_space_type = 'VIEW_3D'
1724 bl_region_type = 'UI'
1725 bl_category = "Convexer"
1726
1727 @classmethod
1728 def poll(cls, context):
1729 return (context.object is not None)
1730
1731 def draw(_, context):
1732 layout = _.layout
1733 row = layout.row()
1734 row.scale_y = 2
1735 row.operator("convexer.preview")
1736
1737 if CXR_PREVIEW_OPERATOR.LASTERR != None:
1738 box = layout.box()
1739 box.label(text=CXR_PREVIEW_OPERATOR.LASTERR, icon='ERROR')
1740
1741 # Main scene properties interface, where all the settings go
1742 #
1743 class CXR_INTERFACE(bpy.types.Panel):
1744 bl_label="Convexer"
1745 bl_idname="SCENE_PT_convexer"
1746 bl_space_type='PROPERTIES'
1747 bl_region_type='WINDOW'
1748 bl_context="scene"
1749
1750 def draw(_,context):
1751 _.layout.operator("convexer.reload")
1752 _.layout.operator("convexer.dev_test")
1753 _.layout.operator("convexer.preview")
1754 _.layout.operator("convexer.hash_reset")
1755
1756 settings = context.scene.cxr_data
1757
1758 _.layout.prop(settings, "debug")
1759 _.layout.prop(settings, "scale_factor")
1760 _.layout.prop(settings, "lightmap_scale")
1761 _.layout.prop(settings, "light_scale" )
1762 _.layout.prop(settings, "image_quality" )
1763
1764 box = _.layout.box()
1765
1766 box.prop(settings, "project_name")
1767 box.prop(settings, "subdir")
1768
1769 box = _.layout.box()
1770 box.operator("convexer.detect_compilers")
1771 box.prop(settings, "exe_studiomdl")
1772 box.prop(settings, "exe_vbsp")
1773 box.prop(settings, "exe_vvis")
1774 box.prop(settings, "exe_vrad")
1775
1776 box = box.box()
1777 row = box.row()
1778 row.prop(settings,"comp_vmf")
1779 row.prop(settings,"comp_textures")
1780 row.prop(settings,"comp_models")
1781 row.prop(settings,"comp_compile")
1782
1783 text = "Compile" if CXR_COMPILER_CHAIN.TIMER == None else "Cancel"
1784 row = box.row()
1785 row.scale_y = 3
1786 row.operator("convexer.chain", text=text)
1787
1788
1789 class CXR_MATERIAL_PANEL(bpy.types.Panel):
1790 bl_label="VMT Properties"
1791 bl_idname="SCENE_PT_convexer_vmt"
1792 bl_space_type='PROPERTIES'
1793 bl_region_type='WINDOW'
1794 bl_context="material"
1795
1796 def draw(_,context):
1797 active_object = bpy.context.active_object
1798 if active_object == None: return
1799
1800 active_material = active_object.active_material
1801 if active_material == None: return
1802
1803 properties = active_material.cxr_data
1804 info = material_info( active_material )
1805
1806 _.layout.label(text=F"{info['name']} @{info['res'][0]}x{info['res'][1]}")
1807 _.layout.prop( properties, "shader" )
1808
1809 for xk in info:
1810 _.layout.label(text=F"{xk}:={info[xk]}")
1811
1812 def _mtex( name, img, uiParent ):
1813 nonlocal properties
1814
1815 box = uiParent.box()
1816 box.label( text=F'{name} "{img.filepath}"' )
1817 def _p2( x ):
1818 if ((x & (x - 1)) == 0):
1819 return x
1820 closest = 0
1821 closest_diff = 10000000
1822 for i in range(16):
1823 dist = abs((1 << i)-x)
1824 if dist < closest_diff:
1825 closest_diff = dist
1826 closest = i
1827 real = 1 << closest
1828 if x > real:
1829 return 1 << (closest+1)
1830 if x < real:
1831 return 1 << (closest-1)
1832 return x
1833
1834 if img is not None:
1835 row = box.row()
1836 row.prop( img.cxr_data, "export_res" )
1837 row.prop( img.cxr_data, "fmt" )
1838
1839 row = box.row()
1840 row.prop( img.cxr_data, "mipmap" )
1841 row.prop( img.cxr_data, "lod" )
1842 row.prop( img.cxr_data, "clamp" )
1843
1844 img.cxr_data.export_res[0] = _p2( img.cxr_data.export_res[0] )
1845 img.cxr_data.export_res[1] = _p2( img.cxr_data.export_res[1] )
1846
1847 def _mview( layer, uiParent ):
1848 nonlocal properties
1849
1850 for decl in layer:
1851 if isinstance(layer[decl],dict): # $property definition
1852 pdef = layer[decl]
1853 ptype = pdef['type']
1854
1855 thisnode = uiParent
1856 expandview = True
1857 drawthis = True
1858
1859 if ('shaders' in pdef) and \
1860 (properties.shader not in pdef['shaders']):
1861 continue
1862
1863 if ptype == 'intrinsic':
1864 if decl not in info:
1865 drawthis = False
1866
1867 if drawthis:
1868 for ch in pdef:
1869 if isinstance(pdef[ch],dict):
1870 if ptype == 'ui' or ptype == 'intrinsic':
1871 pass
1872 elif getattr(properties,decl) == pdef['default']:
1873 expandview = False
1874
1875 thisnode = uiParent.box()
1876 break
1877
1878 if ptype == 'ui':
1879 thisnode.label( text=decl )
1880 elif ptype == 'intrinsic':
1881 if isinstance(info[decl], bpy.types.Image):
1882 _mtex( decl, info[decl], thisnode )
1883 else:
1884 # hidden intrinsic value.
1885 # Means its a float array or something not an image
1886 thisnode.label(text=F"-- hidden intrinsic '{decl}' --")
1887 else:
1888 thisnode.prop(properties,decl)
1889 if expandview: _mview(pdef,thisnode)
1890
1891 _mview( cxr_shader_params, _.layout )
1892
1893 def cxr_entity_changeclass(_,context):
1894 active_object = context.active_object
1895
1896 # Create ID properties
1897 entdef = None
1898 classname = cxr_custom_class(active_object)
1899
1900 if classname in cxr_entities:
1901 entdef = cxr_entities[classname]
1902
1903 kvs = entdef['keyvalues']
1904 if callable(kvs): kvs = kvs(active_object)
1905
1906 for k in kvs:
1907 kv = kvs[k]
1908 key = F'cxrkv_{k}'
1909
1910 if callable(kv) or not isinstance(kv,dict): continue
1911
1912 if key not in active_object:
1913 active_object[key] = kv['default']
1914 id_prop = active_object.id_properties_ui(key)
1915 id_prop.update(default=kv['default'])
1916
1917 class CXR_ENTITY_PANEL(bpy.types.Panel):
1918 bl_label="Entity Config"
1919 bl_idname="SCENE_PT_convexer_entity"
1920 bl_space_type='PROPERTIES'
1921 bl_region_type='WINDOW'
1922 bl_context="object"
1923
1924 def draw(_,context):
1925 active_object = bpy.context.active_object
1926
1927 if active_object == None: return
1928
1929 default_context = {
1930 "scale": bpy.context.scene.cxr_data.scale_factor,
1931 "offset": (0,0,0)
1932 }
1933
1934 ecn = cxr_intrinsic_classname( active_object )
1935 classname = cxr_custom_class( active_object )
1936
1937 if ecn == None:
1938 if active_object.type == 'MESH':
1939 _.layout.prop( active_object.cxr_data, 'brushclass' )
1940 else: _.layout.prop( active_object.cxr_data, 'classname' )
1941
1942 if classname == 'NONE':
1943 return
1944 else:
1945 _.layout.label(text=F"<implementation defined ({ecn})>")
1946 _.layout.enabled=False
1947 classname = ecn
1948
1949 kvs = cxr_entity_keyvalues( {
1950 "object": active_object,
1951 "transform": default_context,
1952 "classname": classname
1953 })
1954
1955 if kvs != None:
1956 for kv in kvs:
1957 if kv[1]:
1958 _.layout.prop( active_object, F'["cxrkv_{kv[0]}"]', text=kv[0])
1959 else:
1960 row = _.layout.row()
1961 row.enabled = False
1962 row.label( text=F'{kv[0]}: {repr(kv[2])}' )
1963 else:
1964 _.layout.label( text=F"ERROR: NO CLASS DEFINITION" )
1965
1966 class CXR_LIGHT_PANEL(bpy.types.Panel):
1967 bl_label = "Source Settings"
1968 bl_idname = "LIGHT_PT_cxr"
1969 bl_space_type = 'PROPERTIES'
1970 bl_region_type = 'WINDOW'
1971 bl_context = "data"
1972
1973 def draw(self, context):
1974 layout = self.layout
1975 scene = context.scene
1976
1977 active_object = bpy.context.active_object
1978 if active_object == None: return
1979
1980 if active_object.type == 'LIGHT' or \
1981 active_object.type == 'LIGHT_PROBE':
1982
1983 properties = active_object.data.cxr_data
1984
1985 if active_object.type == 'LIGHT':
1986 layout.prop( properties, "realtime" )
1987 elif active_object.type == 'LIGHT_PROBE':
1988 layout.prop( properties, "size" )
1989
1990 # Settings groups
1991 # ------------------------------------------------------------------------------
1992
1993 class CXR_IMAGE_SETTINGS(bpy.types.PropertyGroup):
1994 export_res: bpy.props.IntVectorProperty(
1995 name="",
1996 description="Texture Export Resolution",
1997 default=(512,512),
1998 min=1,
1999 max=4096,
2000 size=2)
2001
2002 fmt: bpy.props.EnumProperty(
2003 name="Format",
2004 items = [
2005 ('DXT1', "DXT1", "BC1 compressed", '', 0),
2006 ('DXT5', "DXT5", "BC3 compressed", '', 1),
2007 ('RGB', "RGB", "Uncompressed", '', 2),
2008 ('RGBA', "RGBA", "Uncompressed (with alpha)", '', 3)
2009 ],
2010 description="Image format",
2011 default=0)
2012
2013 last_hash: bpy.props.StringProperty( name="" )
2014 asset_id: bpy.props.IntProperty(name="intl_assetid",default=0)
2015
2016 mipmap: bpy.props.BoolProperty(name="MIP",default=True)
2017 lod: bpy.props.BoolProperty(name="LOD",default=True)
2018 clamp: bpy.props.BoolProperty(name="CLAMP",default=False)
2019 flags: bpy.props.IntProperty(name="flags",default=0)
2020
2021 class CXR_LIGHT_SETTINGS(bpy.types.PropertyGroup):
2022 realtime: bpy.props.BoolProperty(name="Realtime Light", default=True)
2023
2024 class CXR_CUBEMAP_SETTINGS(bpy.types.PropertyGroup):
2025 size: bpy.props.EnumProperty(
2026 name="Resolution",
2027 items = [
2028 ('1',"1x1",'','',0),
2029 ('2',"2x2",'','',1),
2030 ('3',"4x4",'','',2),
2031 ('4',"8x8",'','',3),
2032 ('5',"16x16",'','',4),
2033 ('6',"32x32",'','',5),
2034 ('7',"64x64",'','',6),
2035 ('8',"128x128",'','',7),
2036 ('9',"256x256",'','',8)
2037 ],
2038 description="Texture resolution",
2039 default=7)
2040
2041 class CXR_ENTITY_SETTINGS(bpy.types.PropertyGroup):
2042 entity: bpy.props.BoolProperty(name="")
2043
2044 enum_pointents = [('NONE',"None","")]
2045 enum_brushents = [('NONE',"None","")]
2046
2047 for classname in cxr_entities:
2048 entdef = cxr_entities[classname]
2049 if 'allow' in entdef:
2050 itm = [(classname, classname, "")]
2051 if 'EMPTY' in entdef['allow']: enum_pointents += itm
2052 else: enum_brushents += itm
2053
2054 classname: bpy.props.EnumProperty(items=enum_pointents, name="Class", \
2055 update=cxr_entity_changeclass, default='NONE' )
2056
2057 brushclass: bpy.props.EnumProperty(items=enum_brushents, name="Class", \
2058 update=cxr_entity_changeclass, default='NONE' )
2059
2060 class CXR_MODEL_SETTINGS(bpy.types.PropertyGroup):
2061 last_hash: bpy.props.StringProperty( name="" )
2062 asset_id: bpy.props.IntProperty(name="vmf_settings",default=0)
2063
2064 class CXR_SCENE_SETTINGS(bpy.types.PropertyGroup):
2065 project_name: bpy.props.StringProperty( name="Project Name" )
2066 subdir: bpy.props.StringProperty( name="Subdirectory" )
2067
2068 exe_studiomdl: bpy.props.StringProperty( name="studiomdl" )
2069 exe_vbsp: bpy.props.StringProperty( name="vbsp" )
2070 opt_vbsp: bpy.props.StringProperty( name="args" )
2071 exe_vvis: bpy.props.StringProperty( name="vvis" )
2072 opt_vvis: bpy.props.StringProperty( name="args" )
2073 exe_vrad: bpy.props.StringProperty( name="vrad" )
2074 opt_vrad: bpy.props.StringProperty( name="args" )
2075
2076 debug: bpy.props.BoolProperty(name="Debug",default=False)
2077 scale_factor: bpy.props.FloatProperty( name="VMF Scale factor", \
2078 default=32.0,min=1.0)
2079 skybox_scale_factor: bpy.props.FloatProperty( name="Sky Scale factor", \
2080 default=1.0,min=0.01)
2081
2082 skybox_offset: bpy.props.FloatProperty(name="Sky offset",default=-4096.0)
2083 light_scale: bpy.props.FloatProperty(name="Light Scale",default=1.0/5.0)
2084 include_names: bpy.props.BoolProperty(name="Append original file names",\
2085 default=True)
2086 lightmap_scale: bpy.props.IntProperty(name="Global Lightmap Scale",\
2087 default=12)
2088 image_quality: bpy.props.IntProperty(name="Texture Quality (0-18)",\
2089 default=8, min=0, max=18 )
2090
2091 comp_vmf: bpy.props.BoolProperty(name="VMF",default=True)
2092 comp_models: bpy.props.BoolProperty(name="Models",default=True)
2093 comp_textures: bpy.props.BoolProperty(name="Textures",default=True)
2094 comp_compile: bpy.props.BoolProperty(name="Compile",default=True)
2095
2096 classes = [ CXR_RELOAD, CXR_DEV_OPERATOR, CXR_INTERFACE, \
2097 CXR_MATERIAL_PANEL, CXR_IMAGE_SETTINGS,\
2098 CXR_MODEL_SETTINGS, CXR_ENTITY_SETTINGS, CXR_CUBEMAP_SETTINGS,\
2099 CXR_LIGHT_SETTINGS, CXR_SCENE_SETTINGS, CXR_DETECT_COMPILERS,\
2100 CXR_ENTITY_PANEL, CXR_LIGHT_PANEL, CXR_PREVIEW_OPERATOR,\
2101 CXR_VIEW3D, CXR_COMPILER_CHAIN, CXR_RESET_HASHES ]
2102
2103 vmt_param_dynamic_class = None
2104
2105 def register():
2106 global cxr_view_draw_handler, vmt_param_dynamic_class, cxr_ui_handler
2107
2108 for c in classes:
2109 bpy.utils.register_class(c)
2110
2111 # Build dynamic VMT properties class defined by cxr_shader_params
2112 annotations_dict = {}
2113
2114 def _dvmt_propogate(layer):
2115 nonlocal annotations_dict
2116
2117 for decl in layer:
2118 if isinstance(layer[decl],dict): # $property definition
2119 pdef = layer[decl]
2120
2121 prop = None
2122 if pdef['type'] == 'bool':
2123 prop = bpy.props.BoolProperty(\
2124 name = pdef['name'],\
2125 default = pdef['default'])
2126
2127 elif pdef['type'] == 'float':
2128 prop = bpy.props.FloatProperty(\
2129 name = pdef['name'],\
2130 default = pdef['default'])
2131
2132 elif pdef['type'] == 'vector':
2133 if 'subtype' in pdef:
2134 prop = bpy.props.FloatVectorProperty(\
2135 name = pdef['name'],\
2136 subtype = pdef['subtype'],\
2137 default = pdef['default'],\
2138 size = len(pdef['default']))
2139 else:
2140 prop = bpy.props.FloatVectorProperty(\
2141 name = pdef['name'],\
2142 default = pdef['default'],\
2143 size = len(pdef['default']))
2144
2145 elif pdef['type'] == 'string':
2146 prop = bpy.props.StringProperty(\
2147 name = pdef['name'],\
2148 default = pdef['default'])
2149
2150 elif pdef['type'] == 'enum':
2151 prop = bpy.props.EnumProperty(\
2152 name = pdef['name'],\
2153 items = pdef['items'],\
2154 default = pdef['default'])
2155
2156 if prop != None:
2157 annotations_dict[decl] = prop
2158
2159 # Recurse into sub-definitions
2160 _dvmt_propogate(pdef)
2161
2162 annotations_dict["shader"] = bpy.props.EnumProperty(\
2163 name = "Shader",\
2164 items = [( _,\
2165 cxr_shaders[_]["name"],\
2166 '') for _ in cxr_shaders],\
2167 default = next(iter(cxr_shaders)))
2168
2169 annotations_dict["asset_id"] = bpy.props.IntProperty(name="intl_assetid",\
2170 default=0)
2171
2172 _dvmt_propogate( cxr_shader_params )
2173 vmt_param_dynamic_class = type(
2174 "CXR_VMT_DYNAMIC",
2175 (bpy.types.PropertyGroup,),{
2176 "__annotations__": annotations_dict
2177 },
2178 )
2179
2180 bpy.utils.register_class( vmt_param_dynamic_class )
2181
2182 # Pointer types
2183 bpy.types.Material.cxr_data = \
2184 bpy.props.PointerProperty(type=vmt_param_dynamic_class)
2185 bpy.types.Image.cxr_data = \
2186 bpy.props.PointerProperty(type=CXR_IMAGE_SETTINGS)
2187 bpy.types.Object.cxr_data = \
2188 bpy.props.PointerProperty(type=CXR_ENTITY_SETTINGS)
2189 bpy.types.Collection.cxr_data = \
2190 bpy.props.PointerProperty(type=CXR_MODEL_SETTINGS)
2191 bpy.types.Light.cxr_data = \
2192 bpy.props.PointerProperty(type=CXR_LIGHT_SETTINGS)
2193 bpy.types.LightProbe.cxr_data = \
2194 bpy.props.PointerProperty(type=CXR_CUBEMAP_SETTINGS)
2195 bpy.types.Scene.cxr_data = \
2196 bpy.props.PointerProperty(type=CXR_SCENE_SETTINGS)
2197
2198 # CXR Scene settings
2199
2200 # GPU / callbacks
2201 cxr_view_draw_handler = bpy.types.SpaceView3D.draw_handler_add(\
2202 cxr_draw,(),'WINDOW','POST_VIEW')
2203
2204 cxr_ui_handler = bpy.types.SpaceView3D.draw_handler_add(\
2205 cxr_ui,(None,None),'WINDOW','POST_PIXEL')
2206
2207 bpy.app.handlers.load_post.append(cxr_on_load)
2208 bpy.app.handlers.depsgraph_update_post.append(cxr_dgraph_update)
2209
2210 def unregister():
2211 global cxr_view_draw_handler, vmt_param_dynamic_class, cxr_ui_handler
2212
2213 bpy.utils.unregister_class( vmt_param_dynamic_class )
2214 for c in classes:
2215 bpy.utils.unregister_class(c)
2216
2217 bpy.app.handlers.depsgraph_update_post.remove(cxr_dgraph_update)
2218 bpy.app.handlers.load_post.remove(cxr_on_load)
2219
2220 bpy.types.SpaceView3D.draw_handler_remove(cxr_view_draw_handler,'WINDOW')
2221 bpy.types.SpaceView3D.draw_handler_remove(cxr_ui_handler,'WINDOW')