Jump to content

Leaderboard

Popular Content

Showing content with the highest reputation since 03/14/2025 in all areas

  1. 5 points
  2. 3 points
  3. Or without a double intersect call: vector A = point(0, "P", 66); vector B = normalize(A-v@P); vector C = v@P + B * .1;// 0.1 to avoid overshooting int prim; vector primuv; xyzdist(0, C, prim, primuv); vector surfaceP; prim_attribute(0, surfaceP, "P", prim, primuv); v@field1 = normalize(surfaceP-v@P);
    3 points
  4. uv_transfer_with_seams.hip try a for each loop
    2 points
  5. Hi, actually there are some information on this forum about rbd constraints: This is one attempt to achieve magnet force effect in dop. Hip file in attachment. magnet_snap_01.hipnc
    2 points
  6. font_fill_particle_attract_vel.mp4 pop_font_fill_particle_attract_vel.hip thant should give you an idea !
    1 point
  7. I appreciate your confidence in me - and the suggestions. I need to spend some serious time learning about constraints and dops, however... I think I just found a solution that may work in this case. Took me a while but I figured out a way to manipulate the constraint geo, which is with a "sop solver (constraint geometry)" node. Brought in the point scatter the same way as with the geo sop solver to get the wave force, then the constraint prims are deleted if the waveforce is above a certain value. Not sure if this is the best way to do it but since it seems to be working, I'd consider this a success. Thank you! customForces_v12.hiplc
    1 point
  8. 1 point
  9. Fixed! Fantastic, thanks so much for the advice, and the file. All makes sense.
    1 point
  10. Hi, I've been doing some R&D on mixing multiple fluids with different colors and densities. The most common approach, as far as I know, is using a SOP Solver to transfer Cd between particles, allowing the colors to blend. However, I'm concerned about how this will look in the render. Once the particle simulation is meshed, it becomes a closed surface, which might prevent the internal color mixing from being visible. This led me to consider alternative approaches, such as rendering the inside using a VDB. I'm not entirely sure about that part yet. Because of this, I decided to try mixing colors using microsolvers instead of relying on a SOP Solver with attribute transfer, aiming to generate a color field. My approach consists of: Gas Match Field – Creating a new field (color) based on vel. Gas Particle to Field – Transferring the Cd attribute from the particles to the new color field. Gas Diffuse – Attempting to blend the colors within the field. Gas Field to Particle – Transferring the blended field back to the particles. This method seems to work, but I noticed that the actual mixing is happening due to Gas Field to Particle, which interpolates Cd every frame. While this gives me a decent result, the Gas Diffuse node doesn't seem to have any effect, and I have limited control over the blending process. At this point, I'm stuck. Any ideas or suggestions on how to improve this approach? Thanks! Here's the file if someone wants to check it out, thanks! TestColorMix.hip
    1 point
  11. Hello, I have a primitive string attribute: Bridge_Small_Dark_01 I need to procedurally extract the part of the string before "_Dark". Using split it seems it only accepts singular symbols as a separator (eg "/"), I need to find a way to use the specific string as the separator. Using s@name = split(s@name, "_Dark")[0]; does not work. Is there another function I should be looking into? EDIT: using "_" as separator and using [0] + [1] etc in split would not work since not all assets have the same number of words before "_Dark" EDIT2: Big thanks to Tomas Slancik for answering this on sidefx forums. Answer below: use re_split() [www.sidefx.com] string s = "Bridge_Small_Dark_01"; s[]@split = re_split( "_Dark", s );
    1 point
  12. Hi you can project the direction onto the surface using the Y-direction for example. TangetntField_01_mod.hipnc
    1 point
  13. Hi Vikas, thank you so much. That is really interesting. What an amazing technique. And well documented. Thank you for sharing, much appreciated! Have a nice day, Hannes.
    1 point
  14. After a hiatus, DASH::package returns. Version 5.1 is an extensive rollout of fixes and new nodes that demonstrate composed applications of Dot and Cross Product operations: Linear Algebra, geometric relationships, rotation matrices, etc. Release: https://github.com/probiner/DASH/releases/tag/v5.1.0 Cheers
    1 point
  15. I figured it out... I redid everything, and in the resample, I set it to max number of points instead of going by length. That fixed it.
    1 point
  16. I did a screen cast how it works for me. Screencast 2025-03-22.mp4
    1 point
  17. It strange. For debuging try to past part by part of full expression to check out how it reads each detail attribute. Use MMB on parameter name. How does expression work in others rop nodes? Sometimes it helps to delete node, create a new one and surprisingly all issues are gone. In attached file I'm using same expression in Output Geometry ROP and it works, FBX rop doesn't work in apprentice. How does it work on your side? fbx_output_path.hipnc
    1 point
  18. Expression is fine, I just checked that on my computer. Try to type expression by hand, I'm on linux machine and maybe some problems happened with font code while copy-pasting. If you click MMB on Output File parameter name what do you see in the text field? This should be expression result as full path to file.
    1 point
  19. @juangoretex try this int pB = 1 - @ptnum; vector posA = @P; vector4 qA = @orient; vector upA = qrotate(qA, {0,0,1}); vector posB = point(0, "P", pB); vector4 qB = point(0, "orient", pB); vector upB = qrotate(qB, {0,0,1}); vector velA = v@v; vector velB = point(0, "v", pB); // Compute direction and distance vector dir = posB - posA; float dist = length(dir); dir = normalize(dir); // Magnet properties float maxRange = chf("maxrange"); // Maximum attraction range float strength = chf("strength"); // Force multiplier float alignThresh = chf("alignment"); // Minimum alignment threshold float dragFactor = chf("drag_factor"); // Controls how smoothly objects approach each other // Retrieve magnet polarity using point() int polarityA = i@magnet_polarity; int polarityB = point(0, "magnet_polarity", pB); int polarityEffect = (polarityA == polarityB) ? -1 : 1; // Same polarity repels, opposite attracts // Compute force if within range if (dist < maxRange) { float forceMag = strength * (1.0 - pow(dist / maxRange, 2.0)); // Exponential falloff // Check alignment for magnetic influence float alignment = dot(upA, dir); if (alignment > alignThresh) { // Attraction/Repulsion force vector F = polarityEffect * forceMag * dir; // Apply force bidirectionally v@force += F; setpointattrib(0, "force", pB, -F, "add"); // Apply drag-based velocity correction for smooth movement vector velocityDiff = (posB - posA) * dragFactor; v@v += velocityDiff; setpointattrib(0, "v", pB, -velocityDiff, "add"); // Add torque effect to simulate realignment vector torqueA = cross(upA, dir) * forceMag * 0.5; vector torqueB = cross(upB, -dir) * forceMag * 0.5; v@torque += torqueA; setpointattrib(0, "torque", pB, torqueB, "add"); } } // Debugging f@dist_debug = dist; v@dir_debug = dir; _____________________________-- second Test...................... // Get opposite magnet's point index int pB = 1 - @ptnum; // Get positions, orientations, and velocities vector posA = @P; vector4 qA = @orient; vector upA = qrotate(qA, {0,0,1}); vector velA = v@v; vector posB = point(0, "P", pB); vector4 qB = point(0, "orient", pB); vector upB = qrotate(qB, {0,0,1}); vector velB = point(0, "v", pB); // Compute direction and distance vector dir = posB - posA; float dist = length(dir); dir = normalize(dir); // Magnet properties float maxRange = chf("maxrange"); // Maximum range for attraction/repulsion float strength = chf("strength"); // Magnet force multiplier float dragFactor = chf("drag_factor"); // How smoothly magnets move float alignmentThreshold = chf("alignment"); // Alignment threshold // Retrieve magnet polarity int polarityA = i@magnet_polarity; int polarityB = point(0, "magnet_polarity", pB); // Determine attraction or repulsion int polarityEffect = (polarityA == polarityB) ? -1 : 1; // Opposite attracts, same repels // Apply magnetic interaction if within range if (dist < maxRange) { // Magnetic force calculation with smooth falloff float forceMag = strength * (1.0 - pow(dist / maxRange, 2.0)); // Compute alignment float alignment = dot(upA, dir); if (alignment > alignmentThreshold) { // Apply force in the direction of the magnetic attraction/repulsion vector F = polarityEffect * forceMag * dir; // Apply forces bidirectionally v@force += F; setpointattrib(0, "force", pB, -F, "add"); // Smooth velocity attraction vector velocityAdjustment = dir * (forceMag * dragFactor); v@v += velocityAdjustment; setpointattrib(0, "v", pB, -velocityAdjustment, "add"); // Add torque to align the magnets vector torqueA = cross(upA, dir) * forceMag * 0.5; vector torqueB = cross(upB, -dir) * forceMag * 0.5; v@torque += torqueA; setpointattrib(0, "torque", pB, torqueB, "add"); } } // Debug attributes f@dist_debug = dist; v@dir_debug = dir;
    1 point
  20. I try your initial question, transfer the color, seem all 3 methods work. Used a config FLIP default in SOP screenshot flip-color-transfer-v1.hip
    1 point
  21. You don't have to cache / export everything to USD before rendering - if simply setting the scene up, adding lights and materials, and hitting 'render' works for you, that's OK. Fundamentally Solaris and Karma are designed around larger productions - where caching / exporting to USD means larger scene data can be managed and handled more efficiently. If you don't need that, that's fine. Karma uses USD as it's 'scene description' format - so as you are assembling your scene (stage) in Solaris that USD 'scene description' is being constructed, and is used to create the image when you hit 'render'. As you've noticed, caching / exporting to USD and bringing that data back into Solaris is simply an efficient way of storing parts of a 'render ready scene' in an efficient format. That means better viewport performance when handing larger or 'time dependent' scenes, and offers a way to store and recall that data for re-use, without requiring Karma to rebuild the same data over and over. If you don't need to do that, that's fine - just build the scene and hit render.
    1 point
  22. You Dont need age . Just use @Frame or @Time in your sin function and Feed the resilt attrib in to the dop Network.
    1 point
  23. Change the Subdivide Algorithm to OpenSubdiv Bilinear?
    1 point
  24. You can add an LPE tag node right before karma. Add your geometry lights to the list by clicking on teddy bear icon in the middle and give them tags. Then you can include these geometry lights in karma render settings and they should show up for you in the render primitive list. Earlier I gave my sky lights an 'Untagged_Lights' tag so they wont have layer, if you need them just give them a tag or remove the 'Omit LPE Tags checkbox' Did this for my lightning which is emissive mesh treated as light source
    1 point
  25. HI basically you'll need to create the AOV yourself if you want to have a geometry light AOV. 1. add a new var (found at the bottom of the karma render settings ) 2. give it a name so you can identify the AOV 3. in "Source Name" you'll need to write the "C.*<L.'LPE Tag Name'>" from what I can tell of what this means is: C = color (Beauty AOV) L = light '' = string value . = It's most likely so the machine knows where the names stops <> = indicate the value (I think...) * = I have no idea why it's there but it's most likely to the the computer that we want B (Light LPE tag) within A (Beauty AOV). I know we can use this with other AOVs liike combined diffuse. A good way to learn how to write for different AOVs is to create a light, give it a LPE tag, in karma render settings activate the AOV you want (Beauty, combined diffuse), check split LPE tags and look in geometry spreadsheet "Render>Products>Vars>"the light you're looking for" and it should show how to write your own AOVs. Here are links to houdini documentations. https://www.sidefx.com/docs/houdini/nodes/lop/karmastandardrendervars.html https://www.sidefx.com/docs/houdini/nodes/vop/kma_material_properties.html https://www.sidefx.com/docs/houdini/nodes/lop/rendergeometrysettings.html https://www.sidefx.com/docs/houdini/solaris/kug/materials.html#emissive And a video of a kind gentleman....
    1 point
  26. @Ian10210123 We’re close to a solution! Plus, the first file (2D rotation) gives the same result as the simulation. I think we can now achieve this pretty easily using COP 2 in Houdini 20.5. Definitely worth a try! Just sharing some tests! I'm using something like UV coordinates in tangent space and mapping it like a texture—basically a spherical map with tiling. In DOPs, I managed to get some nice fluid-like movement going. There's always room to improve, and I just need more time to refine it, but it's getting close to the concept I'm aiming for! He also mentioned time-dependent movement in COPs, and I think this would be pretty doable in the new COPs. Just need to dial in a better smoke/fluid simulation to get the look right. Plus i forget to make gray scale and relief those or displacement but its manageable.
    1 point
  27. Hello everyone! For the past 8 weeks I have been working on a Japanese Town House generator! This project was made for Breda University of Applied Sciences as a part of my Block A. This is my first Houdini project, so if anyone has feedback for me it would be greatly appreciated. The project was made from scratch as I did not find the built-in Labs building generator easy to build upon. The building generator allows you to change both the roof tiles, the lattices, the windows and the flags for different variances. The size of the building is determined by user placed bounding box, so the tool is able to generate an entire street from just a blockout! Here you can see a diagram of the basic logic used to generate the buildings, excluding the preview mesh generation. I have also made a short video using PDG to showcase different ways that the building generator can create distinct and unique outputs: WhiteOutSpedUp (1) (1).mp4 Here is the tool working in Houdini SpedUpHoudiniShowcase.mp4 And finally, the tool working in Unreal! ToolInUnreal.mp4 Thank you everyone for reading, if you have any questions please ask away!
    1 point
  28. nah. none of these really add much to usability flat single-color icon palettes are not really in vogue anymore and make it harder to discern between tools the text labels are unreadable when embedded into nodes, especially when names are long roll-out property drawers aren't adding anything new that you can't already get by pressing P or whatever of all the things you choose to add to the limited real estate of the timebar, you want to include an FPS control? how often does one change the FPS of a shot during production? what is the value add? it kinda just seems like you're used to a GUI that's more like blender and you want houdini to follow suit? but little of this is adding any usability, it's just a reskin.
    1 point
  29. I have reworked Alejandro's fill a flip collider from an exterior source. This re-work of the network uses the newer H20 nodes. NOTE: If you get a font error, just pick one that is on your system. Original HIP files found here: ap_pazuzu_FLIP_fill_FONT_from_outside_050824.hiplc
    1 point
  30. I completed another tutorial from the SideFX library of tutorials. This one covers small scale flip splashes with sheeting and a tendril look. The final result is Retimed for a slowdown after impact. ap_small_scale_fluid_splash_091222.hiplc
    1 point
  31. Asia Thanx To @Boa OdRope.hipnc
    1 point
  32. @vinyvince hm didn't notice . with Poly slice Lab Lab Poly Slice.hipnc
    1 point
  33. Linus Rosenqvist Vel-Chops.hipnc
    1 point
  34. Asia . primintrinsic.hipnc
    1 point
  35. Asia . curlClothSrle.hipnc crimp.v001Srle.hipnc
    1 point
  36. There are so many nice example files on this website that I am often searching for. I wanted to use this page as a link page to other posts that I find useful, hopefully you will too. This list was started years ago, so some of the solutions may be dated. Displaced UV Mapped Tubes Particles Break Fracture Glue Bonds Render Colorized Smoke With OpenGL Rop Moon DEM Data Creates Model Python Script Make A Belly Bounce Helicopter Dust Effect Conform Design To Surface Benjamin Button Intro Sequence UV Style Mapping UV Box and Multiple Projection Styles Ping Pong Frame Expression Instance vs. Copy (Instance Is Faster) Particle Bug Swarm Over Vertical and Horizontal Geometry Rolling Cube Rounded Plexus Style Effect Pyro Smoke UpRes Smoke Trails From Debris Align Object Along Path Fading Trail From Moving Point Swiss Cheese VDB To Polygons Get Rid Of Mushroom Shape In Pyro Sim A Tornado Ball Of Yarn Particles Erode Surface Unroll Paper Burrow Under Brick Road Non Overlapping Copies Build Wall Brick-By-Brick FLIP Fluid Thin Sheets Smoke Colored Like Image Volumetric Spotlight Moving Geometry Using VEX Matt's Galaxy Diego's Vortex Cloud Loopable Flag In Wind Eetu's Lab <--Must See! Wolverine's Claws (Fracture By Impact) Houdini To Clarisse OBJ Exporter Skrinkwrap One Mesh Over Another Differential Growth Over Surface Blazing Fast OpenCL Smoke Solver [PYTHON]Post Process OBJ Re-Write Upon Export Rolling Clouds Ramen Noodles Basic Fracture Extrude Match Primitive Number To Point Number Grains Activate In Chunks Fracture Wooden Planks Merge Two Geometry Via Modulus Fill Font With Fluid DNA Over Model Surface VDB Morph From One Shape To Another Bend Font Along Curve Ripple Obstacle Across 3D Surface Arnold Style Light Blocker Sphere Dripping Water (cool) Exploded View Via Name Attribute VEX Get Obj Matrix Parts eetu's inflate cloth Ice Grows Over Fire Flying Bird As Particles DEM Image To Modeled Terrain Pyro Temperature Ignition Extrude Like Blender's Bevel Profile Particles Flock To And Around Obstacles BVH Carnegie Mellon Mocap Tweaker (python script) Rolling FLIP Cube Crowd Agents Follow Paths Keep Particles On Deforming Surface Particle Beam Effect Bendy Mograph Text Font Flay Technique Curly Abstract Geometry Melt Based Upon Temperature Large Ship FLIP Wake (geo driven velocity pumps) Create Holes In Geo At Point Locations Cloth Blown Apart By Wind Cloth Based Paper Confetti Denim Stitching For Fonts Model A Raspberry Crumple Piece Of Paper Instanced Forest Floor Scene FLIP pushes FEM Object Animated Crack Colorize Maya nParticles inside an Alembic Path Grows Inside Shape Steam Train Smoke From Chimney Using Buoyancy Field On RBDs In FLIP Fluid Fracture Along A Path COP Based Comet Trail eetu's Raidal FLIP Pump Drip Down Sides A Simple Tornado Point Cloud Dual Colored Smoke Grenades Particles Generate Pyro Fuel Stick RBDs To Transforming Object Convert Noise To Lines Cloth Weighs Down Wire (with snap back) Create Up Vector For Twisting Curve (i.e. loop-d-loop) VDB Gowth Effect Space Colonization Zombie L-System Vine Growth Over Trunk FLIP Fluid Erosion Of GEO Surface Vein Growth And Space Colonization Force Only Affects Particle Inside Masked Area Water Ball External Velocity Field Changes POP particle direction Bullet-Help Small Pieces Come To A Stop Lightning Around Object Effect Lightning Lies Upon Surface Of Object Fracture Reveals Object Inside Nike Triangle Shoe Effect Smoke Upres Example Julien's 2011 Volcano Rolling Pyroclastic FLIP Fluid Shape Morph (with overshoot) Object Moves Through Snow Or Mud Scene As Python Code Ramp Scale Over Time Tiggered By Effector Lattice Deforms Volume Continuous Geometric Trail Gas Enforce Boundary Mantra 2D And 3D Velocity Pass Monte Carlo Scatter Fill A Shape Crowd Seek Goal Then Stop A Bunch Of Worms Potential Field Lines Around Postive and Negative Charges Earthquake Wall Fracture Instance Animated Geometry (multiple techniques) Flip Fluid Attracted To Geometry Shape Wrap Geo Like Wrap3 Polywire or Curve Taper Number Of Points From Second Input (VEX) Bullet Custom Deformable Metal Constraint Torn Paper Edge Deflate Cube Rotate, Orient and Alignment Examples 3D Lines From 2D Image (designy) Make Curves In VEX Avalanche Smoke Effect Instant Meshes (Auto-Retopo) Duplicate Objects With VEX Polywire Lightning VEX Rotate Instances Along Curved Geometry Dual Wind RBD Leaf Blowing Automatic UV Cubic Projection (works on most shapes) RBD Scatter Over Deforming Person Mesh FLIP Through Outer Barrier To Inner Collider (collision weights) [REDSHIFT] Ground Cover Instancing Setup [REDSHIFT] Volumetric Image Based Spotlight [REDSHIFT] VEX/VOP Noise Attribute Planet [REDSHIFT] Blood Cell Blood Vessel Blood Stream [REDSHIFT] Light Volume By Material Emission Only [REDSHIFT] Python Script Images As Planes (works for Mantra Too!) [REDSHIFT] MTL To Redshift Material [REDSHIFT] Access CHOPs In Volume Material [REDSHIFT] Mesh Light Inherits Color [REDSHIFT] Color Smoke [REDSHIFT] FBX Import Helper [REDSHIFT] Terrain Instancer Height Field By Feature Dragon Smashes Complex Fractured House (wood, bricks, plaster) Controlling Animated Instances Road Through Height Field Based Terrain Tire Tread Creator For Wheels Make A Cloth Card/Sheet Follow A NULL Eye Veins Material Matt Explains Orientation Along A Curve Mesh Based Maelstrom Vortex Spiral Emit Multiple FEM Objects Over Time Pushing FEM With Pyro Spiral Motion For Wrangle Emit Dynamic Strands Pop Grains Slope, Peak and Flat Groups For Terrains Install Carnegie Mellon University BVH Mocap Into MocapBiped1 Ramp Based Taper Line Fast Velocity Smoke Emitter Flip Fill Cup Ice Cubes Float [PYTHON]Export Houdini Particles To Blender .bphys Cache Format [PYTHON] OP UNHIDE ALL (opunhide) Collision Deform Without Solver or Simulation Mograph Lines Around Geometry Waffle Cornetto Ice Cream Cone Ice Cream Cone Top Unroll Road Or Carpet Burning Fuse Ignites Fuel or Painted Fuel Ignition Painted Fuel Combustion Small Dent Impact Deformation Particle Impact Erosion or Denting Of A Surface Helicopter Landing Smoke And Particles Radial Fracture Pieces Explode Outwards Along Normal Tangent Based Rocket Launch Rolling Smoke Field Tear/Rip FLIP (H12 still works in H16) Rain Flows Over Surface Rains Water Drip Surface Splash Smoke Solver Tips & Tricks Folding Smoke Sim VEX Generated Curve For Curling Hair Copy and Align One Shape Or Object To The Primitives Of Another Object (cool setup) A Better Pop Follow Curve Setup FEM Sea Cucumber Moves Through Barrier Fracture Cloth Smoke Confinement Setup Merge multiple .OBJ directly Into A Python Node Blood In Water Smoke Dissipates When Near Collision Object Whirlpool Mesh Surface Whirlpool Velocity Motion For FLIP Simple Bacteria Single Point Falling Dust Stream Flames Flow Outside Windows Gas Blend Density Example Localized Pyro Drag (smoke comes to a stop) Granular Sheet Ripping Post Process An Export (Post Write ROP Event) Corridor Ice Spread or Growth Set Velocity On Pieces When Glue Bonds Break Water Drops Along Surface Condensation Bottle Grains Snow or Wet Sand Starter Scene A Nice Little Dissolver Turn An Image Into Smoke Fading Ripples Grid Example Stranger Things Wall Effect Face Through Rubber Wall [PYTHON]Create Nurbs Hull Shelf Tool [PYTHON] Ramp Parameter [PYTHON] On Copy OF HDA or Node Select Outside Points Of Mesh, Honor Interior Holes Sparks Along Fuse With Smoke Umbrella Rig Melt FLIP UVs Tire Burn Out Smoke Sim Flip or Pyro Voxel Estimate Expression Motorcycle or Dirt Bike Kicks Up Sand Particles Push Points Out Of A Volume [PYTHON]Cellular Automata Cave Generator Punch Dent Impact Ripple Wrinkle VEX Rotate Packed Primitive Via Intrinsic Kohuei Nakama's Effect FLIP Fluid Inside Moving Container Particles Avoid Metaball Forces FLIP Divergence Setup FLIP Transfer Color Through Simulation To Surface Morph Between Two Static Shapes As Pyro Emits Constraint Based Car Suspension Pyro Smoke Gas Disturbs Velocity Wire Solver Random Size Self Colliding Cables Fast Cheap Simple Collision Deform CHOP Based Wobble For Animated Character Slow Motion FLIP Whaitewater Avoid Stepping In Fast Pyro Emission Fast Car Tires Smoke FLIP Fluid Fills Object Epic Share Of Softbody/Grain Setups (Must see!) Balloon, Pizza, Sail, Upres Shirt, Paint Brush Create Pop Grain Geometry On-The-Fly In A DOPs Solver Varying Length Trails VEX Based Geometry Transform Determine Volume Minimum and Maximum Values Grain Upres Example Animated pintoanimation For Cloth Sims Batch Render Folder Of OBJ files Vellum Weaving Cloth Fibers Knitting Kaleidoscopic Geometry UV Image Map To Points Or Hair Color Particles Like Trapcode Particular Flat Tank Boat Track With Whitewater Orthographic Angle Font Shadow Select Every Other Primitive or Face? Printer Spits Out Roll Of Paper Unroll Paper, Map, Plans, Scroll Simple Vellum L-System Plant Basic Cancer Cell 2D Vellum Solution Vellum Animated Zero Out Stiffness To Emulate Collapse Whitewater On Pre Deformed Wave [PYTHON] Menu Callback Change Node Color Extruded Voronoi With Scale Effector Multi Material RBD Building Fracture House Collapse Spin Vellum Cloth Whirlpool Vortex Trippy Organic Line Bend Design Logo Based Domino Layout Delete Outer Fracture Pieces, Keeping Inside Pieces UV Mapped Displaced Along Length Curly Curves Slow Particle Image Advection Nebula Saw Through VDB Like Butter Fuel Based Rocket Launch With Smoke Fuel Based Rocket Launch With Smoke [upres] Deform Pyro Along Path Bend Pyro Gas Repeat Solver With RBD Collision Raining Fuel Fire Bomb City Video Tutorial Pyro Cluster Setup (Animated Moving Fuel Source) [PYTHON] Mantra .MTL File Reader (creates new materials) Pyro Dampen By Distance FLIP Fluid Sweeps Away Crowd Ragdoll Gas Repeat Solver X-Men Mystique Feather Effect Camera Frustum Geometry Culling Vellum Extrude Shape Into Cloth Wire Web Constraint Setup Pyro Smoke Font Dissolve "Up In Smoke" Helicopter Landing With Vellum Grass and Dust or Smoke Another Thin Sheet Fluid Setup Color Rain Drops Over Surface Dual Smoke Object Wand Battle Custom GasDisturb node (easy to use) Hair Driven Grass Example File Pyro Smoke With Masked Turbulence Align High Resolution Mesh With Low Resolution RBD Simulation Streaky Portal Effect Height From Luma Cracking Glass Dome, Fracture VEX Noise Types FLIP Waterwheel Fracture Brick Wall Using UVs Vellum Stacked Torn Membranes Terrain Topographical Line Curves Prepare RBD Fracture For Unreal Alembic Export Growing Ivy Solver Fix For Intermittent FLIP Surfacing Issue Extensive RBD Fracturing Thread With HIP Files Peter Quint's Pop Streams Particle Example Fracture Geometry To Release Flip Fluid Inside Procedurally Reverse Normals Vellum Culling Voronoi Shape To Shape Transition Animated Scattering Accessing Parametric UVs On A Surface Organic Hallways/Corridors Through A Mesh Smoke Particle Dissolve Along One Axis Expanding Vellum Rings That Collide With One Another Read, Fetch, or Get SOP Attribute Inside Of DOPS Broad Splash When Object Enters Water Blendshape Crowd Example [PYTHON] Replace Packed Intrinsic Geometry From Another Source Rip/Tear Part Of Paper To Reveal And Roll Up After Effects Text Styles Cabling Mesh Surface Hanging Wires Or Cables Use Python Inside a Font Sop Brand Accurate Textures Using Karma XPU hScript asCode Microscopic Hair USD Attribute Equivalents For Preview Shader (i.e. Cd mangle) Vellum Peel Effect SOP Pyro Control Field Gas Disturbance Repair Geometry Self Intersection FLIP Follows Curve Long Winded Guide To Houdini Instancing Disable Simulations On Startup Tutorial HIP Library Use Google To Discover Attached HIP Files Useful Websites: Tokeru Houdini Houdini Vex Houdini Python Houdini Blueprints FX Thinking Rich Lord HIP Files iHoudini Qiita Ryoji Toadstorm Blog Eetu's HIP Of The Day Video Tutorials: Peter Quint Rohan Dalvi Ben Watts Design Yancy Lindquist Contained Liquids Moving Fem Thing Dent By Rigid Bodies Animating Font Profiles Swirly Trails Over Surface http://forums.odforce.net/topic/24861-atoms-video-tutorials/ http://forums.odforce.net/topic/17105-short-and-sweet-op-centric-lessons/page-5#entry127846 Entagma Johhny Farmfield Vimeo SideFX Go Procedural
    1 point
  37. Thank you snoot! This was definitely the correct direction. I have found a detailed explanation at Anyone interested can also download the sample file at https://drive.google.com/file/d/1NnODoix9v4umd2jO4U2ZcVWplK-X9Vw6/view
    1 point
  38. @wndyddl3 More Variations with this One.. I learn and share have fun DispMap.hiplc
    1 point
  39. I had a similar issue where some of the the features were loading and I could see the tools but when i added a node to scene it would say the definitions were incomplete. When I loaded the example files I would get the same error as well.
    1 point
  40. Crop your background image to match the camera resolution. You could also parent a grid to the camera. Match the size of the grid to the width/height of your image and use a UVQuick shade to load the image into the viewport. Make sure to remember to turn off the grid before you render, though.
    1 point
  41. my guess is that the order of operations here doesn't make sense: source1 is a scalar and source2 is a vector, and you can't multiply a scalar by a vector. you have to go the other way around.
    1 point
  42. Yes, glue constraint parameter Propagation Iteration appeared since H17.0 thus to get the same result in H16.5 you should set detail attribute i@propagate_iteration in SOP and i increase value of @strength some more in wrangle from 1000 000 to 1 500 000. reduceStrength_002_fix_h16.5.hipnc
    1 point
  43. You can use the carve and time offset inside a for each and use the metadata to offset each prim. Here is an example. CarveOffset.hipnc
    1 point
  44. Wow, ok... so I just learned something new again I apologize to @cwhite I just need to be properly educated Thanks again @julian johnson
    1 point
  45. For one you scene scale is pretty small. Second the feedback scale, you need to play with this setting it will react appropriately, again depending of you scene scale. For good measure use the pig as an example as how you scale should be. Here is a fix version. ice-tea-milk_027_017_FIX.hipnc
    1 point
  46. 1 point
  47. attached is a quick implementation of a thin plate energy minimization. its pretty much the same algorithm meshlab and probably also meshmixer uses for hole filling. for high resolution meshes you may want to port it to the hdk or at least use a sparse matrix library instead of numpy. hth. petz fill_hole.hipnc
    1 point
  48. Alternatively you can extract the hit normal and do a dot check against the the initial point normals (if dot is larger than 0, it is a backface) and if needed, you could start a new ray at this point to check for subsequent front/backfaces
    1 point
  49. Look at this modified version; My surface Tension asset supports particle and field approach, and you can use an attribute as a mask. For high particle counts (Large Scale sims) use the field based approach instead. Hope that helps. surfaceTensionMask_dv.hipnc
    1 point
×
×
  • Create New...