I love Box. It is an incredibly robust file sharing tool and it has rarely let me down even though we have used it extensively on many large BIM and VDC projects. Recently, Box has been pushing people away from Box Sync and into Box Drive. I was syncing over 1 tb of data across many thousands of project files, so I could see the advantage of a more ‘on demand’ system. Box Sync actually struggles to scan through the entire folder structure – so much so that it sometimes never quite catches up in a 24 hour period. On the other hand, Box Drive uses a 25 gb transparent cache, and you can still mark certain folders to keep them offline. Another key difference is that Box Drive will always show you all of your files and folders, and it will download them on-demand (unless set to keep offline). This means that there is no web-based control for ‘Sync Folder’ or similar, the setting is basically on the client device.

 

Having a very established Box Sync workflow, that included ‘absolute file pathing’ between team members, it was a bit scary to make the switch to Box Drive. But I got there in the end 🙂

 

Here’s how I did it:

  1. Install Box Drive from here https://www.box.com/resources/downloads/drive
  2. A mini-install will run, and then you will be prompted to login
  3. After you login, you will be prompted to uninstall Box Sync. You will have to make sure any files in Box Sync are closed.

    uninstall Box Sync

    I received this annoying warning a few times:

    problem uninstalling Box Sync
    As it kept failing, I did have to restart my computer. The uninstall picked up automatically after the restart. Even after a long time ‘restoring disk space’ did not complete…

    My workaround was to:
    – boot into Safe Mode
    – rename the existing Box Sync folder to “Box Sync.old”
    – upon reboot, the Box Sync uninstall script thinks that it got the job done, even though I helped it along

  4. Following this step, I wanted to move the Box Drive to the same absolute folder location I had previous, which was E:\BOX\Box Sync\contentfolders .By default it was pointing to a user location, that is C:\Users\lukes\Box\ .There are some notes here on how to do change the Box Drive folder location.
  5. Restart Box Drive after setting the CustomBoxLocation Registry key shown below:
    changing the location of Box Drive
    changing the location of Box Drive

     

  6. Unfortunately, this did not have the desired effect. It resulted in a folder structure like:
    E:\BOX\Box Sync\Box\contentfoldersAnnoying! So you can’t actually rename the \Box\ piece of that folder structure…
    My next plan to work around this limitation was:
    – put Box in a different folder, and
    – make a symlink to the new folder.New location in Registry:

  7. Finally, I made the symbolic link like this:
mklink /d "E:\BOX\Box Sync" E:\BOX\Box

Job done!

command line to create symbolic link

Now, I can use all of my legacy Box Sync links with Box Drive, and they will all correctly redirect to the new Box Drive location.

Obviously, you have to go through now and ‘Mark Offline’ any folders that I want to keep permanently syncing to that device.

 

Update: Changing the Box Drive Cache Folder location

I discovered the Box Drive cache was using heaps of hard drive space

windirstat
windirstat

So I decided to move that cache folder using yet another symbolic link… Here’s how:

  1. Close Box Drive
  2. Rename to cache.old
  3. mklink /d C:\Users\lukes\AppData\Local\Box\Box\cache R:\BoxDriveCache
  4. Restart Box Drive

Further reading:

Upgrading Your Hard Drive while Keeping Box Sync Data, and Adding a New SSD to Your Laptop

 

Using Box Sync to Share BIM Files and Retain Links and File Paths

 

 

As software and standards mature and even become archaic, they inevitably attract baggage along the way. Years of technical debt amassed by well-intentioned developers and product managers will be paid for by us and our children.

This is particularly evident when we start talking about the Id of Revit elements, and the IFC GUID syntax. As most of you are aware, Revit carries a number of different identifying attributes for each and every element. Here is a basic list:

  • Element Id – the numerical form of a Revit Id, you can interact directly with this using the Select By Id command in Revit
  • UniqueId – “A stable unique identifier for an element within the document.” This is not a correctly formed UUID, but rather a concatenation of a standard UUID for the Revit EpisodeId (session based), along with the Revit element Id. From Jeremy’s post: similar to the standard GUID format, but has 8 additional characters at the end. These 8 additional hexadecimal characters are large enough to store 4 bytes or a 32 bit number, which is exactly the size of a Revit element id.
  • DwfGuid (Export Guid) – this is a correctly formed UUID in .NET / standard format
  • IfcGuid – identical to DwfGuid, but encoded differently according to IFC rules created in the mid-90s. At the time, it was deemed worthwhile to ‘compress’ the IFC Guid to the shorter form we still have to deal with today.

It would be nice if Revit and IFC shared a single common unique identifying syntax, but unfortunately this is not the case.

The above Ids do actually bear some predictable relationship to each other. The UniqueId is formed by Revit joining the EpisodeId and the encoded Element Id, the Dwf or Export Guid is created by an algorithm that has a number of conditional rules, and the Dwf Guid can be converted to the backwards-compatible IfcGuid format through a different algorithm, originally created in C. Those algorithms can be sourced in various places (see links in Further Reading below).

Also, some of these get exposed in different ways – if you create Element-bound BCF files, they will typically show the IFC Guid syntax. Further, if you export an IFC file from Revit and tick the option on the Exporter, it will write the IfcGuid to a parameter on the element.

You can query the Element Id directly in Revit (Modify ribbon, Inquiry panel, IDs of Selection):

However, for the purpose of this post, let’s assume you are using Dynamo with IronPython, and you want to query all 4 Ids from an element.

We at least need to import the Revit API and the Revit IFC API:

clr.AddReference("RevitAPI")
import Autodesk 
from Autodesk.Revit.DB import *
clr.AddReference('RevitAPIIFC')
from Autodesk.Revit.DB.IFC import *

 

Following this, we can use the various Dynamo and Python commands to access the Ids:

elementIds, uniqueIds, DwfGuids, IfcGuids, successlist = [], [], [], [], []
for i in e:
    try:
        elementIds.append(i.Id)
        uniqueIds.append(i.UniqueId)
        DwfGuids.append(ExportUtils.GetExportId(doc, ElementId(i.Id)))
        IfcGuids.append(ExporterIFCUtils.CreateSubElementGUID (UnwrapElement(i),0))
        successlist.append("Success")
    except:
        successlist.append("Failure")
OUT = elementIds, uniqueIds, DwfGuids, IfcGuids, successlist

 

Notice the commands and properties used:

  • Element Id – query the Element.Id member
  • Unique Id – query the Element.UniqueId member
  • Dwf or Export Guid – use the ExportUtils.GetExportId method
  • IfcGuid – use the ExporterIFCUtils.CreateSubElementGUID method (index 0 refers to the main element itself)

 

From here, I create a Dynamo node that eats Revit elements and gives us back these Id values:

before node created

 

After “All The Ids” node created

 

This node will be published in the Bakery package on the package manager, and to Github.

 

Further, our VirtualBuiltApp platform has been developed to store and query multiple Ids for a single element.

 

Example output from the Dynamo / Python (initial test showed the Dwf Guid is still a .NET object, that probably should get converted to a string for consistency).

[2424]
['c98618bf-7112-4e90-8a71-8ab768f2b1c0-00000978']
[<System.Guid object at 0x0000000000000071 [c98618bf-7112-4e90-8a71-8ab768f2b8b8]>]
['39XXY$SH9Ea8fnYhTeyhYu']

 

I added str() to the Python:

 

Final test showing the 4 different Id values for a single object:

2424
'c98618bf-7112-4e90-8a71-8ab768f2b1c0-00000978'
'c98618bf-7112-4e90-8a71-8ab768f2b8b8'
'39XXY$SH9Ea8fnYhTeyhYu'

 

Further reading:

I love it when people take something I hacked together and make it even better! A while ago I posted a script to disable all Revit addins, and recently Thomas Vogt sent me some much improved versions.

  • Deactivate with Teilnehmer08_1_RevitAddonsDeaktivierenPowerShell.ps1
  • Activate with Teilnehmer08_2_RevitAddonsAktivierenPowerShell.ps1

 

You can download a ZIP file containing the Powershell scripts here:

Addin_Activate_Deactivate_2017-2020

 

Disclaimers (use at your own risk etc) and notes on how to use the scripts are as per previous post.

 

Here is the note from Thomas:

Hi Luke,
I have used your script from https://wrw.is/script-to-disable-all-revit-addins/ and I have adjusted it a bit. I have local users without admin rights (training center computers), so I go to the users computer, open the file with rightclick > Powershell and the Admin login is shown. I got also some problems with the allusersprofile and the appdata path variable, because as soon as I login as admin, the appdata path is not anymore the user path. Thus I have changed it to the path itself. The last 2 lines help to see the errors.

Thanks for your script, it helped me a lot! My scripts are attached if you want to use it on your blog =)

Thanks to Thomas Vogt for sharing his work on this!

Its good to see that IFC for Revit development is continuing… This post shows how you can download and install the new version, along with detail on what has been updated in this version.

Installation:

Download and run MSI, you can use this link to Direct Download IFC v19.2.0.0 from GitHub

Checking your Version:

In Revit, go to:

  • File menu
  • Export ->
  • IFC
  • Look at the top of the dialog box, it should say “Export IFC (v.19.2.0.0)

Here is a list of fixes from the Release Notes:

General:
• This is generally a bug fix release with some new IFC functionality.

New Export Functionality:
• IFC Exporter now supports IFC Spatial Container assignment override using IfcSpatialContainer parameter. Valid values are: “IFCSITE”, “IFCBUILDING”, or name of the Building Storey
• Improved detection of Door operation type using the 2D swing symbol (arc). The improved version detects range of angles (not limited to 90, 180 or 360 degrees only)
• Added support for IfcCivilElement
• Replace IfcRelConnectsPortToElement with IfcRelNests for IFC4 export as recommended in IFC4 specifications, allowing non-IfcDIstributionElement to participates in the connectivity
• Added support for RampFlight and Run from generic models or family representing more complex Ramp for export to IfcRamp and IfcRampFlight
• Added various property Calculators
• Improve performance when exporting a large mesh
• Enable IFC Property Templates
• Allow multiple Property Template mapping from txt
• Projection improvement
• Enable site and project property creation
• Utilize Site GlobalId method
• Add multilanguage support files for German language (DE)
• Provide a complete list of all Shared Parameters used by Revit on export including ALL properties defined in IFC PropertySet Definition for both Instances and Types. The lists are included in the installer and will be placed in the install folder: IFC Shared Parameters-RevitIFCBuiltIn_ALL.txt (for the Instance parameters) and IFC Shared Parameters-RevitIFCBuiltIn-Type_ALL.txt (for the Type parameters).
• Improve consistency for setting the object direct attributes, support IfcObjectType[Type] special parameter to drive instance ObjectType parameter from the Type, update the shared parameter definition files (now for [Type] parameters we will also maintain the GUID as long as it remains)
• Incremental work towards IFC4RV 1.2 MVD

Export Bug Fixes:
• Consistent ExportAs entity and its PredefinedTypes
• Export fails when there is no associated Plan View to a level
• Additional fix for error getting 2D data when there is no Level associated to the FamilyInstance
• Various fixes related to missing geometry and export failures
• Fixed performance issue in IFC2x3 export due to error in creating types
• Fixed issue with slanted Pile
• Fixed issue related to element that is split into parts
• Improvement in handling level of Part Override
• Some improvements on classification (issue #31)
• Improve voiding of IfcMappedItem representation (issue #9)
• Fixed issue on Composite curve tolerance (issue #5)
• Fixed issue where element is still exported even though it is set to not-exported in the mapping table
• Bugfix for incorrect cylindrical hollow core Beam export in IFC4RV
• Fixed for issue #51
• Bugfix based on Pull request #52 for MEP connector, and a few clean-ups
• Fixed minor issue to ensure generic element exporter will generate consistent GUID for the instance
• Fixed issue when OverrideElementContainment is used but the Site does not have site geometry (from Topography surface)
• Add support of OverrideElementContainment also for SpatialElement (Room/Space/Area). This enables export to place IfcSpace directly to IfcSite for example, which is useful for outdoor spaces
• Refactored the handling of valid entity and type and fixed a few defects related to it (Github issue #68)
• Fixed issue with Stair Landing that is offset far away from the supposed location
• Fixed issue with missing geometry when assigning IfcExportAs to the Spatial Element (Issue #23) However, in IFC4RV or DTV, there is a fixed list of valid entities that will be enforced, entity such as IfcExternalSpatialElement will be exported as IfcBuildingElementProxy.
• Fixed performance issue when there is a large triangulated geometry for export to IFC4RV
• Fixed issue of exception raised during export when “Export schedules as property sets” option is selected, and the model contains ViewSchedule from the template
• Update Source/IFCExporterUIOverride/IFCExporterUIWindow.xaml.cs (issue #59)
• IFCBooleanOperator.Union don’t work! (issue #32)
• Fixed issue in exporting IfcBuildingElementProxy that assigns an invalid enumeration for CompositionType in Ifc2x3 export
• Fixed issue related to opening that cuts through multiple walls (note that this is not yet 100%. In some cases, due to the extended body of the opening (that is defined in the native code) there may be more cut than it should for a few cases
• Fixed issue with changing GUID of Window or Door when it is in the context of the opening that cuts multiple walls (issue “IFC Guid on family” in SourceForge)
• Fixed IfcWindowLiningProperties, IfcWindowPanelProperties GUID issue
• Improve handling for multiple meshes in a tessellated geometry that causes missing some surface body.
• Fixed issues of UserDefined propertysets that fails to recognize the Pset assigned to a Type. Also improve the handling for Conditional Pset (by PredefinedType)
• Fixed regression issue #70 missing toprail for IfcRailing on export
• Fixed issue with “runaway” flex duct with “Keep Tessellated Geometry as Triangulation” option selected (issue #58)
• Fixed regression issue (issue #96) IfcZone ObjectType not exported
• Fixed issue of Naming override/default value, and issue of Qto_ properties are not exported
• Fixed issue on a wrong enumeration for the SweptArea (it was set to .CURVE., should be .AREA.)
• Fixed for orphaned entities and wrong footprint information due to incorrect projection direction for IFC4RV requirements. IFC4RV Beam (Arch) is now without error in the automated test
• 1st fixed for issue related to runaway parts in “export only elements visible in view” (there are still situations that may cause a wrong rotation, but the test case reported in issue #86 so far looks good)

Import Bug Fixes:
• Improve voiding of IfcMappedItem representation (#9)

 

A while back, I conducted extensive research into Revit content management tools. I was commissioned by Unifi to do this, and I told the story of the process over here. You can also watch the related webinar here. Over the last couple of years, some of you have approached me to gain access to the master Excel comparison matrix document that I produced. Recently, Jay Merlan updated this document on behalf of Unifi and it has now been approved for public release!

Here is a link to download a ZIP archive containing the Excel document.

Data Entry and Scoring Matrix

The document is very detailed and consists of a number of key sections:

  • Matrix – where data is entered and initial scores are calculated. This includes a ‘feature weight’ where you can allocate how important a given feature is to you personally.
  • Screencasts – links to actually tests undertaken
  • Test Results – summary sheet
  • Cost data – a series of sheets for attempting to compare and calculate overall cost of the content management system
  • Summary Pivot Tables and Charts
  • Overall Summary Chart
Summary PivotChart

 

As it is an Excel document using Formulas and Pivot Tables, it could be a very powerful starting point for you to dig in and investigate the various features of Revit and BIM Content Management systems and Content Providers. I hope you find it useful!

Feel free to comment here with any of your thoughts, and if you have any questions about the document and how it works.

Main benchmark categories:

  • Added Value Data 1 – AD1.
  • Batch Tests 1  – BT1.
  • Capability Tests 1 – CT1.
  • Company Info and Support Data – CD1.
  • Feature Comparison Data 1 – FD1.
  • Management Capability Scores 1 – MS1.
  • Management Feature Data 1 – MD1.
  • Metadata Tests 1 – MT1.
  • Speed Tests 1 – SP1.
  • Stability Tests 1 – ST1.
  • User Experience Data 1 – UX1.
  • User Experience Data 2 – Bad – UX2.

Information categories:

  • Company
  • Content
  • Cost
  • Deployment
  • Development
  • Management
  • Platform
  • Revit integration
  • Software
  • Support
  • User

The 2020 release season is here…

Links are for Autodesk 2020 trial versions, you will need your own official Autodesk licenses to activate.

 

Autodesk Revit 2020 Direct Download Links – WIN 64 – EN

https://trial2.autodesk.com/NetSWDLD/2020/RVT/DEB896FF-86A4-4C44-89A4-46C550BEDB60/SFX/Revit_2020_G1_Win_64bit_dlm_001_007.sfx.exe

No Title

No Description

No Title

No Description

No Title

No Description

No Title

No Description

No Title

No Description

https://trial2.autodesk.com/NetSWDLD/2020/RVT/DEB896FF-86A4-4C44-89A4-46C550BEDB60/SFX/Revit_2020_G1_Win_64bit_dlm_007_007.sfx.exe

 

Revit LT 2020 Direct Download Links

http://trial2.autodesk.com/NetSWDLD/2020/RVTLT/1AE76102-B066-40B6-B420-7119BE7E8FCD/SFX/RevitLT_2020_G1_Win_64bit_dlm_001_004.sfx.exe

No Title

No Description

No Title

No Description

No Title

No Description

 

Navisworks Manage 2020 Direct Download Links

http://trial2.autodesk.com/NetSWDLD/2020/NAVMAN/89ED309E-DEA4-4070-9CE7-DB285722CD73/SFX/Autodesk_Navisworks_Manage_2020_Multilingual_Win_64bit_dlm_001_002.sfx.exe
http://trial2.autodesk.com/NetSWDLD/2020/NAVMAN/89ED309E-DEA4-4070-9CE7-DB285722CD73/SFX/Autodesk_Navisworks_Manage_2020_Multilingual_Win_64bit_dlm_002_002.sfx.exe

 

Autodesk Navisworks Simulate 2020 Direct Download Links

https://trial2.autodesk.com/NetSWDLD/2020/NAVSIM/57A5CFFD-773D-4741-8DF6-CE51F5847396/SFX/Autodesk_Navisworks_Simulate_2020_Multilingual_Win_64bit_dlm_001_002.sfx.exe
https://trial2.autodesk.com/NetSWDLD/2020/NAVSIM/57A5CFFD-773D-4741-8DF6-CE51F5847396/SFX/Autodesk_Navisworks_Simulate_2020_Multilingual_Win_64bit_dlm_002_002.sfx.exe

 

Autodesk Screencast 3.6 – free screen recording utility for AutoCAD+LT 2013-2020, Inventor+LT 2014-2020, Revit 2013-2020, Fusion 360, InfraWorks, SimStudio (Win)
http://download.autodesk.com/us/support/files/screencast_app/ScreencastSetup_V3.6.exe

 

DWG TrueView 2020:: free AutoCAD DWG file viewer, version converter and measure tool (any DWG version, incl. DWG2018; for Windows 10/8.1/7)
https://trial2.autodesk.com/NetSWDL…7D/SFX/DWGTrueView_2020_Enu_64bit_dlm.sfx.exe

 

Autodesk AutoCAD 2020:
http://trial2.autodesk.com/NetSWDLD/2020/ACD/DD1F773A-1D42-4410-B712-ADFFB842921D/SFX/AutoCAD_2020_English_win_64bit_dlm.sfx.exe
http://trial2.autodesk.com/NetSWDLD/2020/ACD/DD1F773A-1D42-4410-B712-ADFFB842921D/SFX/AutoCAD_2020_English_win_64bit_dlm.sfx.exe

 

AutoCAD LT 2020:
http://trial2.autodesk.com/NetSWDLD/2020/ACDLT/7F468CAC-1BC9-4C74-8B11-E85973E5059E/SFX/AutoCAD_LT_2020_SWL_English_Win_64bit_dlm.sfx.exe

AutoCAD Architecture 2020:
http://trial2.autodesk.com/NetSWDLD/2020/ARCHDESK/6B7B4098-B868-4BC5-BAE9-55023FD693EB/SFX/AutoCAD_Architecture_2020_English_Win_64bit_dlm_001_002.sfx.exe
http://trial2.autodesk.com/NetSWDLD/2020/ARCHDESK/6B7B4098-B868-4BC5-BAE9-55023FD693EB/SFX/AutoCAD_Architecture_2020_English_Win_64bit_dlm_002_002.sfx.exe

AutoCAD Electrical 2020:
http://trial2.autodesk.com/NetSWDLD/2020/ACAD_E/E6E5783E-9B32-4275-AC81-05FEFB14EA74/SFX/AutoCAD_Electrical_2020_English_Win_64bit_dlm_001_002.sfx.exe
http://trial2.autodesk.com/NetSWDLD/2020/ACAD_E/E6E5783E-9B32-4275-AC81-05FEFB14EA74/SFX/AutoCAD_Electrical_2020_English_Win_64bit_dlm_002_002.sfx.exe

AutoCAD Mechanical 2020:
http://trial2.autodesk.com/NetSWDLD/2020/AMECH_PP/0AF6D34F-9E17-4473-B268-A4E11BC0A93F/SFX/AutoCAD_Mechanical_2020_English_Win_64bit_dlm.sfx.exe

AutoCAD MEP 2020:
http://trial2.autodesk.com/NetSWDLD/2020/BLDSYS/95E105B8-ECE3-4B07-A05D-4C76E43BD40B/SFX/AutoCAD_MEP_2020_English_Win_64bit_dlm_001_002.sfx.exe
http://trial2.autodesk.com/NetSWDLD/2020/BLDSYS/95E105B8-ECE3-4B07-A05D-4C76E43BD40B/SFX/AutoCAD_MEP_2020_English_Win_64bit_dlm_002_002.sfx.exe

AutoCAD MAP 2020:
http://trial2.autodesk.com/NetSWDLD/2020/MAP/1666DE37-3355-46E6-A1C8-69AB3F5F0417/SFX/AutoCAD_Map_2020_English_Win_64bit_dlm.sfx.exe

AutoCAD Plant3D 2020:
http://trial2.autodesk.com/NetSWDLD/2020/PLNT3D/1896C40C-5BF8-4FB2-92D2-1F5D732E992A/SFX/AutoCAD_Plant_3D_2020_English_Win_64bit_dlm_001_002.sfx.exe
http://trial2.autodesk.com/NetSWDLD/2020/PLNT3D/1896C40C-5BF8-4FB2-92D2-1F5D732E992A/SFX/AutoCAD_Plant_3D_2020_English_Win_64bit_dlm_002_002.sfx.exe

AutoCAD Raster Design 2020:
http://trial2.autodesk.com/NetSWDLD/2020/ARDES/361F4178-3CAC-4794-A841-7FB6F900B33D/SFX/AutoCAD_Raster_Design_2020_English_Win_64bit_dlm.sfx.exe


Inventor Professional 2020: English links:

http://trial2.autodesk.com/NetSWDLD…ro_2020_English_Win_64bit_dlm_001_003.sfx.exe
http://trial2.autodesk.com/NetSWDLD…ro_2020_English_Win_64bit_dlm_002_003.sfx.exe
http://trial2.autodesk.com/NetSWDLD…ro_2020_English_Win_64bit_dlm_003_003.sfx.exe

 

Inventor LT 2020: English links:
https://trial2.autodesk.com/NetSWDL…nventor_LT_2020_English_Win_64bit_dlm.sfx.exe

 

Autodesk Inventor Nastran 2020 (x64)
http://trial2.autodesk.com/NetSWDLD/2020/NINCAD/E858B3EC-14C0-4348-A649-7DE22DE14DD8/SFX/Autodesk_Inventor_Nastran_2020_R0_Win64_dlm.sfx.exe

 

Autodesk Point Layout 2020:
http://trial2.autodesk.com/NetSWDLD/2020/PNTLAY/1.2019.03.13/ESD/Autodesk_Point_Layout_2020_Win_32-64bit_en-us.exe

 

3DSMAX 2020: Multilanguage:

http://trial2.autodesk.com/NetSWDLD…ds_Max_2020_EFGJKPS_Win_64bit_001_002.sfx.exe
http://trial2.autodesk.com/NetSWDLD…ds_Max_2020_EFGJKPS_Win_64bit_002_002.sfx.exe

 

3ds Max Interactive 2020:

http://trial2.autodesk.com/NetSWDLD…ve_2_2_0_0_EN_Win_64bit_dlm.sfx.exe

 

AutoCAD Raster Design 2020: English link:

http://trial2.autodesk.com/NetSWDLD…ter_Design_2020_English_Win_64bit_dlm.sfx.exe

 

Autodesk SketchBook Pro 2020 v8.6.5:
https://trial2.autodesk.com/NetSWDLD/2020/SBPNL/10AACA17-1C6D-4E1B-B6CE-7E2AAB1568AD/SFX/SketchBook_Pro_2020_ML_Win_64bit_dlm.sfx.exe

 

Vault Basic: English links:

Vault Basic – Client 2020:

http://trial2.autodesk.com/NetSWDLD…EDDE5723A25/SFX/VBC2020_ENU_64bit_dlm.sfx.exe

 

Vault Basic – Server 2020:

http://trial2.autodesk.com/NetSWDLD…8CB8A042BBD/SFX/VBS2020_ENU_64bit_dlm.sfx.exe

 

ReCap Pro 2020.0.1: Multilanguage link:

http://trial2.autodesk.com/NetSWDLD…Cap_600110_Multilingual_Win_64bit_dlm.sfx.exe

 

You can also obtain many of these links through AVA, or this forum thread:

Autodesk Virtual Agent

What’s New pages:

AutoCAD 2020

I have been resisting the 2019.2 update because there were some issues with it originally, plus the forced upgrade of Dynamo. I decided to go ahead with Revit 2019.2.1 Hotfix today. I think that the forced Dynamo update occurred with the 2019.2 major point version, but 2019.2.1 seems to install without forcing the Dynamo upgrade – on my machine, Dynamo 1.3.4.6666 was not updated during the 2019.2.1 hotfix installation. Here are the links:

Direct Download Link: Autodesk_Revit_2019_2_1.exe

Autodesk® Revit® 2019.2.1 Hotfix Release Notes

Autodesk® Only Available Online

Improvements to the functionality. For more information about these improvements, see the What’s New section of the Revit 2019 Online Help.

Autodesk Revit 2019.2.1 Hotfix Readme

Autodesk Revit 2019.2.1 Hotfix Readme

If Revit 2019 and Revit LT 2019 are installed side-by-side and the 2019.2.1 Hotfix is only applied to one of these products, a “Could not load type ‘Autodesk.Revit.DB.ICloudExternalServer’ from assembly” error will be displayed when launching the non-updated product. To alleviate this error, make sure to apply the 2019.2.1 Hotfix to both Revit and Revit LT in side-by-side configurations.

Having recently installed some more storage hardware, and previously posted about moving folders with symbolic links, I then decided to move my BIM 360 Glue cache folder and Navisworks Cache folder to a secondary hard drive. I did this using symbolic links.

You need to:

  • start a Command Prompt as Administrator
  • use the commands shown below

Moving BIM 360 Glue cache storage location:

if exist "%localappdata%\Autodesk\Bim360Glue 2016\LocalCache" rename "%localappdata%\Autodesk\Bim360Glue 2016\LocalCache" bim360glue2016.old
mklink /d "%localappdata%\Autodesk\Bim360Glue 2016\LocalCache" R:\BIM360Glue2016
if not exist R:\BIM360Glue2016 MD R:\BIM360Glue2016
robocopy /mir "%localappdata%\Autodesk\Bim360Glue 2016\bim360glue2016.old" R:\BIM360Glue2016\

Moving Navisworks cache storage location:

if exist "%localappdata%\Autodesk\Navisworks 2019\LocalCache" rename "%localappdata%\Autodesk\Navisworks 2019\LocalCache" Navisworks2019Cache.old
mklink /d "%localappdata%\Autodesk\Navisworks 2019\LocalCache" R:\Navisworks2019Cache
if not exist R:\Navisworks2019Cache MD R:\Navisworks2019Cache
robocopy /mir "%localappdata%\Autodesk\Navisworks 2019\Navisworks2019Cache.old" R:\Navisworks2019Cache\

After you have run the scripts above, you can delete the old folders with the .old suffix (Navisworks example shown below).

Revit Users do a lot of funny (and sometimes quite terrible) things. BIM Managers have spent years trying to control the chaos, through training, documentation, standardisation, model auditing, Big Brother techniques, and a mixture of carrots and sticks. And that is why I really like the idea of Guardian.

Ultimately, people just can’t quite be trusted to comply with all the constraints you think are valuable. But if you have a ‘virtual firewall’ for Revit, it should take the human element out of the equation, right? The idea is that your Revit model is a secure and safe place – a lot of important work happens in there, so you don’t want it to get infected with junk. It is harder to remove the junk later, than it is to programmatically STOP the bad stuff from entering your model. Enter Guardian for Revit…

Have you ever wanted:

  1. To restrict users from exploding CAD, modeling in-place, etc.?
  2. To prevent users from creating duplicate properties?
  3. To automatically clean content that users bring into projects?
  4. A better ‘purge unused’ tool that cleans object styles, patterns, etc.?
  5. To translate content to meet different requirements / standards as it enters projects?
  6. To quickly align your library and details into complete conformity with your template?

I recently had the chance to interview Parley Burnett, the creator of Guardian. Parley has had a lot of experience with Revit and content management over the years, and he offers some great insight below as he describes the ‘journey to Guardian’.

  • LJ: What motivated you to create Guardian? ​PB:
    • Revit can be so fun to work with and… not so fun.  We understand the issues that cause inconsistencies in data and graphics and believe we should tackle them on a fundamental level before we can REALLY benefit from all that BIM can offer.  We need a ‘new class’ of cloud powered assistants in our BIM environments as the old approach of adding complication (most other add-ins) to solve complication isn’t working.  I have also tired of “standards” discussions never materializing and have come to believe that we can do this in smarter ways than maintaining spreadsheets and documents.
  • LJ: What key problem does Guardian currently solve? ​PB:
    • Cluttered properties in projects!!
    • Without Guardian, anybody can do anything at any time in any Revit project anytime and, as a result, administrators are forced to react rather than anticipate the resulting damage.  Without intense oversight, Revit projects can quickly become a quagmire of properties such as materials, patterns and parameters. This causes confusion and friction as projects progress and deliverables can be messy.
    • Revit offers little assistance as many of the property types cannot even be purged if they are unused.  Worse yet, administrators have no way of knowing WHERE these properties are used so and if they did, the cleanup would take far too much time.
    • Guardian allows complete transparency into incoming properties including whether they are used or not used.  It then allows properties to be mapped to existing properties or removed.  These decisions can be saved as rules and enforced silently across an entire firm.
  • LJ: What is coming up on the Guardian feature roadmap?PB:
    • We have hit several releases already since launching late last summer and are only picking up the pace even more!  We expect to add more ways that Guardian can be extended to existing projects and more flexibly across project teams and user roles.

 

Here are some new things in Guardian 1.4.0:

  • Ability to detect duplicate properties
  • New Suggestions Framework
  • User prompts when duplicates are made or modified

 

Below I have included some how-to guidance information in the following sections:

  • Installation
  • Configuration
  • Using Guardian

 

Installation:

In the download package, you will get an MSI and current Release Notes:

Just double-click the MSI to install.

You can install for Current User or All Users:

And choose from supported Revit version:

License activation is achieved by entering your Company ID during installation:

When launching Revit, you can press ‘Always Load’ at the normal security prompt:

Configuration:

To manage your Revit content standards in Guardian, you use the ‘Admin Login’. Following this, you will see more features in the menu:

In Projects, you can define mapping files for each project, and you can create Project Templates:

The Mappings dialog provides the real ‘nuts and bolts’ of Guardian, you can individually configure constraints around the following items:

  • Materials
  • Family Types
  • Shared Parameters
  • Fill Patterns
  • Line Patterns
  • Object Styles
  • View Templates

 

It basically works by taking some incoming data from whatever source, and mapping it to the ‘project template’ or standard Revit libraries that you have implemented in your firm.

There are some really interesting features in the ‘Company Settings’, and this is where it really starts to take control of the human element I mentioned earlier:

When do you want Guardian to take action?

In ‘User Behaviours’ you can actually stop or restrain certain commands from executing. Evidently, Guardian makes a distinction between ‘normal users’ and admin-level users:

Using Guardian:

It will appear in your Add-Ins ribbon like this:

 

This is what happens when you load a new family:

And this is what happens if you select “Let me choose which properties to keep”:

As you can see, you then have the opportunity to enter the Mappings dialog.

“Suggestions” will dig deeper into the content and let you know if certain things are similar or identical (very cool, it feels a bit like AI):

We have come a long way at Virtual Built Technology through building our VirtualBuiltApp federated project-wide data platform in recent years, and Guardian is an excellent accompaniment to it. As a company-level control mechanism, it aims to prevent the problems that can be detected later through our analytical methods.

If you are in a situation where you would like to really improve the overall quality and consistency of the Revit modelling in your firm, I recommend that you check out Guardian.

but for now, I’m leaning into it.

Ever since I bought it, the Metabox occasionally began screaming at me by way of extremely loud internal fans. As we know, cooling equals performance in laptop devices. If its not cool, it will ultimately either scale down performance through CPU throttling, or the effective life of the components will be adversely affected.

Up until today, I have been using this cardboard box and timber stud cooling device:

The Wii U box and timber stud laptop cooler

As good as the above solution was, I believed that it might be possible to reduce the decibel rating and extend the life of my laptop… so I was moved to purchase a ‘gaming laptop cooler’ – basically a laptop base with an integrated fan. I chose the CoolerMaster CMSTORM SF-17. This has one large turbine fan, and includes height adjustment and an inbuilt USB hub.

CoolerMaster CMSTORM SF-17 Unboxing #1

 

Unboxing #2

 

Unboxing #3

The new solution is much quieter and neater, and hopefully will give the Metabox ‘tank’ some extra longevity:

Laptop cooler installed