• Free your Drives: Using Relative Paths in your Automated Models

    Here’s the scene: You’re 18 months deep into building automated models and templates for your production team, and everything is working as well as you can hope – but the IT team has an upgrade plan in the works. You and your team of designers are now sporting brand new laptops, better in almost every way from what you were using before, with one small caveat: the hard drives are now a small SSD solely for Operating system usage (C:\) and a large storage drive for everything else (D:\).

    To anyone who is not knee-deep in the automating trenches, this may not seem like a problem at all. You might be thinking, “Well, more space is great!”; but there’s always a ghost in the machine when you’re bootstrapping something like an automated workflow. The main challenge that I’ve seen (and have personally fallen victim to) is that users will hard-code a specific drive into their automated templates when a file path is needed – something that isn’t wrong, but can lead to challenges down the road.

    So, how do we fix it? We’re going to take a look at three options, one of which you may have already considered:

    • Manually Changing the Drive Letter
    • Referencing the Drive Letter via Document Location
    • Referencing the Drive Letter via Project Workspace Location

     

    Manually Changing the Drive Letter

    Let’s start with the simplest, but least robust choice: manually updating the drive letter in your models. Take a look at this snippet of code:

    If Parameter("Location") = "Front"
    Components.Add("FRONT MOUNT CLIP", "C:\BDL_Vault\DeskStorage\Designs\Standard Mounting\133092.ipt")
    Else
    Components.Add("REAR MOUNT CLIP", "C:\BDL_Vault\DeskStorage\Designs\Standard Mounting\133088.ipt")
    End If

    This is a direct reference to a specific folder on my C:\ drive, a distinct location that I’m using to store that specific standard file. Following this concept, you would simply edit each string to look like this:

    If Parameter("Location") = "Front"
    Components.Add("FRONT MOUNT CLIP", "D:\BDL_Vault\DeskStorage\Designs\Standard Mounting\133092.ipt")
    Else
    Components.Add("REAR MOUNT CLIP", "D:\BDL_Vault\DeskStorage\Designs\Standard Mounting\133088.ipt")
    End If

    At this point, your template is updated. The main drawbacks to this method are that the location is still hard-coded (albeit to a new drive letter), and you will need to update each template individually each time this needs to happen.

    Referencing the Drive Letter via Document Location

    When a file is saved, the folder path is stored as a piece of background data that is accessible via iLogic – meaning we can grab this information and pare it down to find the drive the file is stored on. A simple way to access (and display) this information is here:

    Dim DocPath As String
    DocPath = ThisDoc.Path
    MessageBox.Show(DocPath)
    
    

     

    Figure 1: Saved Document Path

     

    After finding the path with the above line of code, we’ll need to find the root of the path, which can be done using the .NET GetPathRoot method:

    Dim RootLetter As String
    RootLetter = System.IO.Path.GetPathRoot(DocPath)
    MessageBox.Show(RootLetter)

     

    Figure 2: Root Drive

     

    Now that we have the drive letter stored in a local variable, we can use that to build out the string we want to use to locate our file, like this:

    Dim StandardLocation As String
    StandardLocation = RootLetter & "BDL_Vault\DeskStorage\Designs\Standard Mounting\"
    MessageBox.Show(StandardLocation)
    Figure 3: New File Location

     

    The main downside to this method is that locating the drive will be entirely dependent on where you’ve saved the file that this rule is going to run in. If you have multiple storage drives and you’ve saved this file on a very specific drive (G:\, for example) then this method will return G:\ as the root drive, which may not be where you mean to look.

     

    Referencing the Drive Letter via Project Workspace Location

    This method is the most variable of the three I’ve mentioned so far, as it relies specifically on where your project file’s Workspace folder is located. The steps to get the drive letter are almost identical to the previous method, but with a slightly different input required. I’ll show you three ways to get the data we want in the snippet below:

    Dim WSPath As String
    WSPath = ThisApplication.DesignProjectManager.ActiveDesignProject.WorkspacePath
    WSPath = ThisServer.DesignProjectManager.ActiveDesignProject.WorkspacePath
    WSPath = ThisDoc.WorkspacePath
    
    

    The first line of code references the DesignProjectManager object within the context of the Inventor Application. From accessing that object, we can specify that we want to look at the current active project, and then grab the Workspace path from there.

    The second line of code is the same as the first, but rather than referencing the Inventor Application, it references the Inventor Server. Functionally, this will operate the same way when run on the desktop Inventor application, but if you are eventually going to export your models to a cloud-based service (such as SolidCAD’s VARIANT configurator) you will need to reference this Server object instead.

    The final line of code is the simplest, directly referencing the current document, and searching for the Workspace of the currently active project.

    All of the above options will result in a string that looks something like this, when printed inside a message box:

     

    Figure 4: Workspace Path

    After choosing your method (I would recommend #3, personally) you can then take the same steps to get the root of the Workspace and build out your file path:

    Dim RootLetter As String
    RootLetter = System.IO.Path.GetPathRoot(WSPath)
    MessageBox.Show(RootLetter)
    Dim StandardLocation As String
    StandardLocation = RootLetter & "BDL_Vault\DeskStorage\Designs\Standard Mounting\"
    MessageBox.Show(StandardLocation)
    
    

     

    Figure 5: Root Drive and New File Path

     

    This method will ensure that you are always referencing the same drive that your workspace exists on, which is commonly where any automated templates or standard components will be located.

     

    What Does This Actually Look Like?

    Here is an example of a very short conditional rule that makes use of the third method to locate the drive and replace a component based on the triggering parameter:

    Dim WSPath As String
    Dim RootLetter As String
    Dim StandardPath As String
    WSPath = ThisServer.DesignProjectManager.ActiveDesignProject.WorkspacePath
    RootLetter = System.IO.Path.GetPathRoot(WSPath)
    StandardPath = RootLetter & "BDL_Vault\DeskStorage\Designs\Standard Mounting\"
    ThisAssembly.BeginManage("Mounting Clips")
    Select Case Parameter("Location")
    Case "Front"
        Components.Add("FRONT MOUNT CLIP", StandardPath & "133092.ipt")
    Case "Rear"
        Components.Add("REAR MOUNT CLIP", StandardPath & "133088.ipt")
    Case "Left"
        Components.Add("LEFT MOUNT CLIP", StandardPath & "133090.ipt")
    Case "Right"
        Components.Add("RIGHT MOUNT CLIP", StandardPath & "133077.ipt")\
    Case Else
        'No Clip, should never happen
    End Select
    ThisAssembly.EndManage("Mounting Clips")
    InventorVb.DocumentUpdate(True)

    As you can see in context, this doesn’t add very many lines to your overall rule (even less if you initialize the variables with their end values), and it helps to future-proof your code in the case that you will be using different drives over time.

    If you’d like to learn more about iLogic and how to use it, you can continue checking out the articles here on the SolidCHAT blog, or if you’re looking for a more structured or in-depth learning approach, we offer standard and custom training for iLogic and other Autodesk products here at SolidCAD.

    Until next time!

    D-Wave

    Success Stories

    D-Wave

    D-Wave Article

    © Copyright D-wave

    D-Wave Quantum Inc. (D-Wave) is the leader in the development and delivery of quantum computing systems, software, and services. It is the only quantum computing company building both annealing and gate model quantum computers and offers quantum systems, cloud services, application development tools, and professional services to support the end-to-end quantum journey. From its inception, D-Wave has focused on delivering products and services that provide the fastest path to practical, real-world quantum and quantum-hybrid applications with customer value. Its solutions are used to tackle optimization problems spanning a multitude of industries, including manufacturing and logistics, financial services, life sciences, retail and many more. Its broad portfolio of enterprise customers—such as Mastercard, Volkswagen, Pattison Food Group, DENSO, Toyota, BBVA, NEC, Deloitte, and Lockheed Martin—have built hundreds of early quantum applications in diverse areas such as resource scheduling, mobility, logistics, drug discovery, portfolio optimization, manufacturing processes, among others.

    Improving Bill Of Materials Management And ERP Integration With PLM

    The Challenge

    As a leader in the development of quantum computing systems, D-Wave prioritizes building high-quality systems, software, and services for its customers. With growing needs for increased cross-enterprise collaboration and heightened demand from customers, D-Wave recognized that it needed to improve its current Product Lifecycle Management (PLM). It was particularly looking for a solution that would increase the efficiency of its processes. D-Wave required to solve the following challenges in order to meet its business goals:

    • Bill of Materials (BOM) management and collaboration.
    • Manual BOM and data input into ERP.
    • Lack of integration, automation, and API capabilities of the system in place.
    • Manual change control and change management.
    The Solution

    SolidCAD and D-Wave teams worked closely to create the best strategy that would meet D-Wave’s business requirements. The solution was to:

    • Implement Autodesk’s PLM solution, Fusion 360 Manage platform.
    • Create a bi-directional integration between Fusion 360 Manage and NetSuite ERP.
    The Results

    Today, D-Wave uses PLM to manage Supply Chain, BOMs and Changes. The live and bi-directional integration between PLM and NetSuite ERP allows D-Wave to gain efficiency and ensure consistent knowledge-sharing by using PLM as the single source of data. The result of SolidCAD and D-Wave’s collaboration was a solution that allowed D-Wave to:

    • Replace its existing systems with Autodesk Fusion 360 Manage PLM, one modern centralized platform.
    • Manage BOMs and supply chain needs.
    • Streamline the management of: Vendors, Vendor Part Numbers, Manufactures and Manufacturers Part Numbers.
    • Centralize Change Management processes. PLM has empowered D-Wave to proactively keep track of changes.
    • Make more informed decisions by having access to all the necessary data in one location. The integration between NetSuite ERP and PLM has enabled the engineering and purchasing teams to increase their work efficiency

    Testimonial

    The main increase in functionality we have seen is the synchronization of the Fusion 360 Manage PLM database with our ERP database.

    The ability to add custom filtering to searches is much superior to our old system. For example, I can look for parts I created in the last 43 days that have the word “Nut” in the description and are not released to production.

    As it comes to time savings, we were able to:
    • Configure the part numbering system to match our existing method, saving thousands of hours of engineering work.
    • Remove around 8 manual processes/workarounds with Excel to move data around and supply data to our engineers.
    • Configure the Item Master sheet to be able to see all the fields that our engineers care about on one screen. No more flipping back and forth between tabs or scrolling up and down.
    As it comes to ERP integration, automation with scripts were able to help us with:
    • On-Creation of a new part; automatically pushes the data to our ERP system.
    • On-Save of a pre-release part; automatically pushes the data to our ERP system every time we edit a part.
    • On-Transaction-in-ERP: pulls data on quantity, on-order, price, and stock location from our ERP back to Fusion. No need for a second license to get the information from the ERP system.
    • Third party middleware: link the two databases bi-directionally. No waiting until midnight for them to sync up.
    • Add-hidden fields for database internal IDs: the middleware can make changes in the other database directly.
    • Links between the part supplier and part manufacturing workspaces to allow them to be linked together and pushed to our ERP system.
    As it comes to Engineering Change Order (ECO) process:
    • Creates very simplified part release that allows for low overhead to our engineers and enables very fast prototyping.
    • Creates more complex workflow for released production parts and assemblies
    – Dave Bruce, Principal Mechanical Engineer at D-Wave

    Products & Services Used

    • Fusion 360 Manage.
    • Implementation, Integration and Project Management.
    • Post Go-Live Support.

    Similar Projects

    3D-P

    3D-P consists of a team of mining and positioning technology experts. It was created to bring innovative thinking and new technologies to the mining industry. They have since evolved to bring this approach to several…

    Starline Windows

    Starline Windows is an industry leader in the design and manufacturing of architectural aluminum window systems, as well as residential vinyl windows and doors for over 50 years. They have completed thousands of contracts and…

    CMAC-Thyssen

    CMAC-Thyssen Mining Group is a contractor and mining equipment manufacturer offering a diverse range of fully integrated services with contracts carried out across multiple continents and over 850 employees worldwide. CMAC-Thyssen Mining Group makes the…

    RGTECH

    Success Stories

    RGTECH

    RGTECH is a specialty precision machining company. Founded in Lévis, QC by experienced industry professional, Rémy Gagnon, RGTECH works closely with several industries including the medical, optic/photonic and electronic industries to provide high quality parts using cutting edge technology. Speed, precision, and quality is their mission.

    Supporting a New Business: Starting Strong with Fusion 360 & Machining Extension!

    The Challenge

    Although RGTECH is a new company in their industry, their founder and president, Rémy Gagnon is certainly not. With several years of experience working in the precision machining industry within the province, he was already very familiar with SolidCAD. Starting a machining business involved significant risks, both financially and technically. Knowing that he wanted to continue working with Autodesk products, he needed a trusted CAD/CAM software provider and reached out to our team to support his new business.

    What RGTECH needed most was to find a high-performance, flexible, and affordable CAM solution and to start production without delay in order to allow quick profitability of their new 5-axis CNC equipment with automatic table changer.

    The Solution

    After assessing their needs and understanding how costly any delays would be to the new company, our team suggested integrating Fusion 360 software with the Machining Extension, combined with customized 24-hour remote training, post processor and machine simulation required for the CNC equipment.

    Rémy explained that the reputation and knowledge of our technical team, the speed and flexibility to deliver services, and the accessibility of acquiring the software via subscription all played a key role in greatly reducing the costs and risks involved in this process.

    Vault Professional has allowed the company to easily manage all their design and engineering data and take control of their product development processes. Staff can work from data without worrying about out-of-date documents that could result in engineering errors or miscommunication between departments.

    The Results
    • Our team’s flexibility and availability in scheduling has allowed RGTECH to receive training on all new software without causing excessive delays
    • The speed of the implementation allowed RGTECH to carry out their first projects less than 1 week after the installation and commissioning of the CNC machine

    Testimonial

    SolidCAD is the partner to choose for success with your CAD/CAM software.

    The team not only has the expertise, their vast experience, and relationships with different sectors of the manufacturing industry keep them well versed in the cutting edge of technology. SolidCAD’s network of contacts with various stakeholders in the industry will be a huge advantage in the launch of your business or the upgrade of your manufacturing technologies.

    – Rémy Gagnon, President at RGTECH

    Products & Services Used

    Similar Projects

    Nectgen mold

    NextGen Mold

    NextGen Mold Technologies was founded in 2021, following the acquisition of Enterprise Mold. Based in Windsor, Ontario, they have quickly established a strong reputation in the injection mold industry. The wide array of equipment and…

    Circle 5

    Founded in 1987, Circle 5 has established itself as a leader in the manufacturing and prototyping industry. Their expertise in machining both ferrous and non-ferrous metals, combined with their state-of-the-art multi-axis CNC and EDM capabilities,…

    Procepack

    PROCEPACK is a firm specializing in the purchase and sale of packaging and process equipment. They serve customers from a wide range of industries from food and cosmetics to pharmaceuticals. They leverage their vast and…

    Benefits of going to a SaaS Platform

    What are SaaS platforms? How can they help you?

    SaaS stands for “Software-as-a-Service.” A cloud Software that allow customers to access their applications remotely, often through a subscription package. SaaS platform services plays a key piece of technological infrastructure both now, and in the future for small, medium, and Enterprise businesses – especially now with work at home mandates.

    To name a few: Netflix, Amazon, Google, Apple and so much more!

    Most of the world’s largest and most valuable companies are or work in part of their operation in the SaaS mode. Also, to include a few more – A few of our customers such as Andritz and Starline Windows.

    By going to a SAAS solution you will not have to go through the process of building the server, installing the application, and configuring it. Therefore, there are a lot of advantages of going to a SAAS platform, some of which may not be noticed in your upfront initial costs. These include:

    • Reduced time to benefit
    • Lower costs
    • Scalability and integration
    • No need for I.T. Infrastructure
    • Automatic New releases and Upgrades
    • Easy to use and perform proof-of-concepts
    • Smooth and easy migrations
    • Accessibility anywhere
    • Ensures a strong Disaster Recovery Strategy
    • Enhanced Data Security
    • Better way to Allocate Technical Resources to other projects

    Sucess is best when it is shared together!  Please contact the Enterprise team today to find out more.

    mk North America

    Success Stories

    mk North America

    Founded in 1988, mk North America is a member of, and North American headquarters for the mk Technology Group. They design, engineer, and manufacture a wide variety of conveyors including belt conveyors, roller conveyors, timing belt conveyors, chain conveyors and flexible flat top chain conveyors; as well as workpiece pallet-handling conveyor systems, and extruded aluminum framing (including guarding and linear motion systems). They offer incredible variety and flexibility, and their products have proven themselves worldwide in a broad variety of applications and industries.

    A Smooth and Easy Transition to Variant!

    The Challenge

    Like many other manufacturers, mk North America uses Autodesk Inventor and iLogic for their product designs. They previously used Autodesk Configurator 360 to make the designs available on their website for customers to create their own configurations but needed to find a new option once Configurator 360 was no longer available. They did diligent research into what products were available and explored all their options. For a while, they considered building their own configurator but realized it would require a complete overhaul of their current systems and workflows, costing them more time than they could spare.

    Once it was clear to mk North America that they would greatly benefit from some outside expertise, they turned back to online research and found SolidCAD’s newly announced cloud-based configurator, Variant.

    The Solution

    Variant was just what they were looking for. Since our online configurator uses Autodesk Forge Design Automation API for Inventor, it can directly leverage iLogic code in existing CAD models. This allowed mk North America to smoothly transition to Variant without wasting valuable time on re-work or any major disruptions to their established workflows.

    Design engineer, Will Peters, spoke about how they were not new to configurators. Since they were already using Configurator 360, almost every other solution they investigated would require massive changes on their end. “The nice thing about Variant,” he explained, “was that we only needed to make some pretty minor adjustments. It operated on the same platform so it wasn’t as full of a process as it would have been with another product.”

    mk North America expressed how impressed they were with the SolidCAD technical team’s expertise and communication. Although they were already very familiar with Autodesk Inventor, they were able to learn more in depth information about what goes on in the backend and how all their systems work together. Ultimately, it was a great benefit to continue working with the platforms they knew, and they are grateful they did not decide to face this challenge on their own.

    An extra benefit to mk North America was our team’s ability to thoroughly assess and understand their needs. “We had looked into a couple different solutions,” explained Kate Nadeau, marketing manager at mk North America, “the big thing that pushed us this direction was that [SolidCAD] was still developing the tool when we signed on. We knew that we would have a voice… Even though the major framework was there, knowing that we would get our needs met was huge.”

    Take a look at mk North America’s instance of Variant called CAD360 on their website to configure your own conveyor today!

    Testimonial

    Variant was an obvious choice for us as we looked for a solution to our online product configurator.

    The tool is very easy to learn and is customizable to your exact needs – which gave us the flexibility to offer a wide range of products in a single online catalog. The user interface is very intuitive and allows us to maintain, update, and improve our product offering in real-time. Along with Variant’s powerful services, the team at SolidCAD has been an absolute pleasure to work with. They are very accommodating and are eager to teach tips & tricks, explain functionality, and work through problems until they’re perfected. Choosing Variant for our online configurator was an easy decision, and it has exceeded our expectations.

    – Will Peters, Sales & Applications Engineer

    Products & Services Used

    Similar Projects

    Vent-a-Hood

    Vent-A-Hood was founded in 1933, creating residential ventilation for cooking. Vent-A-Hood was the first manufacturer of home cooking ventilation and range hoods and the creators of a proprietary system called the “Magic Lung”, which uniquely…

    How Digital Processes Help Starline Windows Seal the Deal on Construction

    Starline Windows’ digital workflow on a connected cloud platform helps enable it to control its entire process, doing all its own assembly, manufacturing, construction, and installation. Courtesy of Starline Windows.
    • In Vancouver, Canada, window company Starline Windows was an early adopter of digital design and uses lean processes to deliver custom products.
    • The 2008 recession and COVID-19 pandemic both jumpstarted the company’s digital transformation to compete in a packed marketplace.
    • The result is a greener, more profitable, and more responsive business delivering more value to customers, partners, and employees.
    • Starline’s ongoing digital transformation has accelerated the design-to-delivery process by connecting data from various applications.

    If buildings were bodies, the exterior would be the skin, blocking wind and rain while keeping everything inside warm and comfy. But in construction, vents, pipes, doors, and windows repeatedly puncture that outer layer. For a building to sustain the environment inside, those elements have to fit perfectly and seal seamlessly.

    Defects that measure only millimeters become huge headaches if a window doesn’t quite meet spec. It may need to be trimmed onsite or reordered and replaced. Either way, it amounts to time lost and added expense. To get it right the first time, Vancouver, Canada–area window company Starline Windows has embraced digital design, making it the foundation for great industry relationships, profitable growth, and a more sustainable operating model. Starline has become a supplier of choice for many high-profile construction projects, collaborating effectively with internal and external partners.

    Integration for Better Outcomes

    Starline designs and manufactures architectural aluminum window systems for residential and commercial buildings. In business since the early 1970s, the company has delivered thousands of projects in its key California and Canadian (British Columbia and Alberta) markets. In fact, Starline Windows is responsible for making and installing the windows and doors in 25% of the high-rise buildings constructed during the past 50 years of the Vancouver, Canada, downtown core—the area most known for the city’s iconic skyline.

    Starline’s array of window products includes punched, window-wall, curtain-wall, and balcony door. Unlike many manufacturing businesses that opted to outsource in the 1980s, Starline has stuck with a vertically integrated corporate structure in which most of its supply chain is company-owned, including state-of-the-art, fully automated manufacturing facilities.

    “It’s a really special company,” says Catherine Walmsley, virtual construction manager at Starline. “We’re quite unique, and I think that comes down to not just what we do, but how we do it. We own our own supply chain. We do our own assembly and manufacturing. We have in-house IT support, and we do our own installation and construction.”

    Modello building by Boffo Developments, with windows from Starline.
    Starline Windows has made the windows and doors in about 25% of the high-rise buildings constructed in the past 50 years in Vancouver’s downtown core, such as the Modello (pictured) by Boffo Developments. Courtesy of Starline Windows.

    When Starline takes on a job, “we work with our partners to meet their needs as well as our own,” Walmsley says. However, even with the level of control afforded by its integrated structure, the company still faces business challenges common to the envelope trades, including a lack of design collaboration with architects and contractors, poor visibility for field personnel when design revisions happen, and limited data sharing between the office and the field. A lack of cross-department collaboration can also get in the way of efficient logistics.

    In a highly competitive market, working closely with project stakeholders to demonstrate value can be make-or-break. In its 2022 Pulse ReportWindow + Door Magazine found that 62% of contractors were on the hunt for new window suppliers to protect the supply chain and keep up with customer requirements. Issues like flexibility, turnaround time, material availability, and pricing were among the top reasons cited for shopping around.

    Traditional Structure, Modern Challenges

    “When you’re working on a complicated project, you need to be able to work with others,” Walmsley says. “So it’s important for us to be able to understand the process as a whole.”

    Improving end-to-end process clarity benefits every architecture, engineering, construction, and manufacturing business, but rising demand for custom designs makes this goal more challenging. As requirements become more tailored and less standard, better tracking and traceability across the product lifecycle is essential.

    Building featuring windows by Starline.
    The efficiency of Starline Windows’ digital transformation helps make the company both more sustainable and more profitable. Courtesy of Starline Windows.

    Working with architects closely at the outset and ensuring design commitments are being met from manufacturing to installation are necessary to meet custom requirements. The COVID-19 pandemic and its increase of remote working have compelled an industrywide rethink of how tighter collaboration and greater visibility can be delivered to clients.

    But just as it decided early on to stick with a traditional business structure, Starline also became a digital early adopter. That’s put the company on the right footing to meet today’s challenges.

    A Digital Early Adopter

    “We do everything from design to manufacturing, installation, and even shipping,” Walmsley says. “That’s a lot of territory to cover, and anything you can do to virtualize construction information is a benefit.”

    Starline recognized that issue as far back as the early 1980s, when it started the shift from paper drawings to computer assisted design (CAD).

    Civic Plaza with guitar-pick shaped windows from Starline.
    Starline’s all-digital and cloud-connected design-to-delivery workflow makes it easier to deliver bespoke windows for large projects such as Civic Plaza, Surrey, British Columbia’s tallest building. Courtesy of Starline Windows.

    “We were pretty early to embrace CAD,” Walmsley says. “We had an amazing IT guy, and once CAD went open source around 1985, we saw the opportunity to replace paper-based workflow and reuse all the data contained in hand drawings.”

    Things really changed in the aftermath of the 2008 recession, when macro considerations forced the company to find new ways to rationalize costs and downsize—without sacrificing quality or delivery.

    “We were always fans of lean operating principles, but after 2008, we had to go really lean and find ways to deliver the same number of projects with fewer people,” Walmsley says. “But we also had to enable the ones who stayed to work more efficiently. Our people in the field in the buildings were very attached to their pieces of paper, but when we put an iPad in their hands, it was a huge game-changer. Suddenly we could provide change paperwork on the fly without having to call FedEx and have a ream of paper delivered to the site.”

    Along with digitized field operations, the company’s manufacturing facilities are almost completely automated. “Some manual processes remain, but they are few and far between at this point,” Walmsley says. “Most of our manufacturing assembly is now roboticized.”

    Starline’s ongoing digital transformation has accelerated its design-to-delivery process by connecting data from Autodesk Fusion 360, Vault, RevitInventor, and the Autodesk Construction Cloud. Walmsley says those tools, which integrate information from multiple systems and generate 3D designs, help complete the digital operations picture.

    They’ve made it easier to deliver on bespoke design needs for major projects such as Civic Plaza in Surrey, BC. It’s the city’s tallest building and some of its guitar-pick-shaped skylight windows set the bar high for Starline’s capabilities.

    “We could do circular shapes, but we had never attempted something so custom,” Walmsley says of the buildings nonstandard skylights. “They are huge—8 feet—so it was just an incredible feat to be able to put it all together and to coordinate. The lead time was extensive, and it was very challenging to get them to the building and installed on time.”

    Civic Plaza with guitar-pick shaped windows from Starline.
    The Civic Plaza’s guitar-pick-shaped skylight windows put Starline’s capabilities to the test. Courtesy of Starline Windows.

    Sustainable Benefits

    Doing more with less but still doing it better is digital’s core mission. Walmsley says that for Starline, it’s made business planning easier and improved quality control. “Today, I can pull data from Revit, from Inventor, from our ERP and inventory-control systems to track all of the various activities happening and give upper management the information they need. It all adds up so that we know how many windows we can produce, how close we are to reaching project commitments, and when our next sale is due.”

    Going digital has also had green benefits. It’s dramatically reduced the reliance on paper, as well as the volume of toner and other printer consumables the company uses. There’s also much less physical waste for disposal because more accurate design and manufacturing means fewer deficiencies and less cutting and trimming at the building site.

    When deficiencies do occur, they can be captured and tracked to avoid replicating the same mistakes.

    Walmsley says the real test, however, is how well a digital tool helps Starline work more closely with clients, partners, and other stakeholders: “It’s not just about us. It has to be beneficial to the architect, to the developer, and to the customer. In the end, the biggest selling feature is knowing we’re delivering something that’s going to make the building sell, that’s going to make everyone’s life easier, and that’s going to make people want to work with us again.”

    INTRODUCING MERIDIAN 2022

    INTRODUCING MERIDIAN 2022

    MAJOR ENHANCEMENTS

    1. Installation Package provides New PowerWeb IIS Application
    2. Meridian E-Mail Manager Retired
    3. The Default Store Table Data Provider is now Microsoft Access
    4. Customizable PowerWeb JavaScript Modules
    5. Meridian Cloud Rendering Profiles

    MERIDIAN ENTERPRISE SERVER
    What is Meridian Enterprise Server?
    Meridian Enterprise Server is the core product in the Meridian Enterprise product suite. It provides centralized, scalable, web services and administration for use with Meridian Enterprise, Accruent Project Portal, and other business systems. Besides the shared services, Meridian Enterprise Server includes the latest generation of Publisher and Meridian Explorer technology.

    MERIDIAN POWERWEB
    What is PowerWeb?
    Meridian PowerWeb is a web application designed to create, modify, documents and data stored in Meridian. Power users include Engineering Managers, Project Managers, Engineers, Drafting Technicians and Document Management. PowerWeb implements your company’s document and data lifecycle business rules, including automatic document naming, document filing, managing complex AutoCAD and other native reference files including exchanging AutoCAD data with Office files, and other applications.
    PowerWeb is broken into several sub-sections

     

    CONCEPT FUNCTION
    APPLICATION INTEGRATION Application Integration: is provided by the Meridian Cloud Connector. The Meridian Cloud Connector can be downloaded and installed from the home page of the Meridian Cloud tenant. The Meridian Cloud Connector installs Site Cache with Local Workspace and provides application integration with MS Office, AutoCAD, and MicroStation applications.
    DOCUMENTS Documents: in a Meridian Enterprise vault are like files in a file system. They are in folders where you can copy, rename, move, and delete them. However, vault documents differ from files in a file system.

     

    The fundamental difference between vault documents and ordinary files is that Meridian Enterprise distinguishes between a document and its contents. A document’s contents may be regarded as the file to which you are accustomed. Meridian Enterprise considers a document to be the file and its container (metadata properties). In Meridian, a document can exist without contents (for example, to represent a hard copy-only document), but contents cannot exist without a container.

    EDM PRINCIPLES Engineering data management (EDM): A generic term for a wide variety of functions. In general, it is the process of managing engineering documents throughout their life cycle, from inception through creation, review, storage, and distribution all the way to archiving or destruction. Depending on specific requirements, document management is different for every customer.
    HISTORY History: The Meridian history feature maintains all changes to vault data over time, including revisions to documents. History is enabled or cleared for each vault by a System Administrator.

     

    The last released revision of a document is always the default one shown in a vault. However, by using the Show Revisions command, you can see all previous revisions and their effective dates

    INDUSTRY-SPECIFIC Industry Specific: Certain industries present unique challenges in document management. When configuring Meridian Enterprise for these industries, consideration must be given to document workflow, revision control, and project workflow.
    NAVIGATION VIEWS Navigation Views: Navigation views are different ways of viewing a vault for different purposes. Each view displays documents organized in a hierarchical tree structure like Windows Explorer, like the following figure. The tree structure is determined by a predefined set of properties. You can use Navigation views to find and select documents according to the property values of the documents. Navigation views help you to find documents based on whatever information you know about the documents that you want to find.
    PROJECT WORKFLOW Project Workflow: The project workflow is a simple two-step workflow that defines the current state of the project. There are only two states available in a project workflow: Open and Closed.
    SCOPES Scopes: Meridian manages a wide variety of documents and the information about them. Scopes are a way of limiting vault functionality and information to named sets that are easier to understand and use. You may select a scope that more closely meets your needs without experiencing information overload.

     

    A scope is used to control the visibility of commands, views, and documents in PowerWeb. By default, PowerWeb provides the following built-in scopes that each correspond to a branch in the vault structure.

    SEARCH Search: It can find either documents or folders. It gives you complete flexibility of the search scope, properties, and conditions. Find can include referenced documents in its results and its results can be saved and shared with other users.
    VAULTS Vaults: A vault is a combination of a Meridian database and a document store. It contains all the documents you place in the vault, the data about those documents, all revisions of those documents made in the vault, and redline data for the documents. If some of your documents use references to other documents, such as with CAD files, then those references between documents will automatically be managed by Meridian. This means that you can move files between folders within the Meridian vault (such as from one project to another), and the references will not be lost, because they are managed by Meridian.

    MERIDIAN EXPLORER

    What is Explorer Classic?

    Meridian Explorer provides an innovative way to browse and search for documents and tags stored in one or more vaults. The main benefits of Meridian Explorer are its powerful search, ease of use, extensive configurability, and scalability. You can easily navigate your way to the document you need and view its information with just a few mouse clicks.

    Meridian Explorer provides you with text search capability on both custom metadata properties and document text content. You can also find documents by navigating a folder tree. Best of all, you can search a repository interactively by selecting from specific property values found in the current search results. With this method, you can quickly narrow your search from potentially hundreds of thousands of documents to just the documents you are interested in. Search results are presented in tabular format or as easily recognizable thumbnail images.

    The Meridian Explorer Key Features Include:

    • Incremental synchronization of data, documents or assets and their related metadata from one or more Meridian Enterprise vaults to a Meridian Explorer consolidated repository.
    • Zero install, web browser-based read-only client. Management of change and engineering change requests.
    • Electronic redlines are available to be sent to vaults configured with the Meridian Asset Management Module.
    • Support for server-based viewing.
    • Configurable property pages, search pages, and views.

    What is Cloud Explorer?

    Cloud Explorer is a web application for searching and retrieving engineering information.

    Target users include Maintenance Managers, Planners, Engineers, Operations Managers, and Operators.

     

    Cloud Explorer allows you to easily locate data, documents or assets and see their related references within your browser. By default, when the Explorer is opened the Explorer Landing Page allows you to view all the data, documents, or assets in the repository, depending on which view is active, Documents or Assets.

    If Explorer was opened by another application such a computerized maintenance management system (CMMS), you might be viewing only the items in the repository that are related to a document or asset in the other application.

    Only documents in the Master or Documentation scopes of a repository are available in Explorer. Data, Documents or Assets in a project or that are archived are not available to you. Filters are implemented to view the items that meet your required criteria.

    CONCEPT FUNCTION
    ASSETS Assets: By default, when Explorer is opened from the landing page, you can see all the assets in the repository, depending on which view is active, Assets. If Explorer was opened by another application such a computerized maintenance management system (CMMS), you might be viewing only the items in the repository that are related to an asset in the other application.
    DOCUMENTS Documents: Cloud Explorer lets you easily find documents and see their related counterparts right in your browser. By default, when you first open Explorer from the landing page, you can see all the documents in the repository, depending on which view is active, Documents. If Explorer was opened by another application such a computerized maintenance management system (CMMS), you might be viewing only the items in the repository that are related to a document in the other application. Only documents in the Masters or Documentation scopes of a repository are available to you in Explorer. Documents in a project or that are archived are not available to you. You can use filters to see only the items that meet criteria that you determine.
    INTERGRATION URLS Create Integration URLs: You can create dynamic URLs that link users to their asset documents in Explorer. This functionality is typically used with our integrations with CMMS- or GIS-type applications like Maintenance Connection, Maximo, or SAP.
    SAVED SEARCHES Saved Searches: Saving a search stores your search filters so that you can return to the same list of items later. Saved searches, you can:

    §  Overwrite an existing saved search with a new result set,

    §  Revise the filters and save the new criteria,

    §  Share a saved search with another person,

    §  Delete a saved search you no longer need

     SIGN-IN Meridian Cloud Sign: Allows you to sign in with either your Google, Microsoft Windows Live, or Azure AD account. You must have an account with one of these services to use Meridian Cloud. Additionally, if your System Administrator has enabled SAML, you can sign in using a SAML Identity Provider. The email address that you use to sign in can be different than the one which was used to invite you.

     

    MERIDIAN PORTAL

     

    What is Meridian Portal?

    Meridian Portal is a web application designed to allow Project Documents, Data and Asset Collaboration. Users include Document Management, External Contractors, Regulatory Organizations, and other External End Users.

    Meridian Portal provides a Personal Dashboard with Project Document, Data and Asset status reports and packages workflow progress. Meridian Portal contains a central repository for Project Documents, Data and Asset with text search and dynamic filtering to allow users to quickly find what they require. Specific document detail views can be implemented for internal and external use.

    The Meridian Portal Key Features of Include:

    • Internal and external collaboration in a secure cloud-based project portal
    • Easy-to-use task-based user interface
    • Formal and informal work packages information exchange
    • Collaborative document review and approval processes
    • Automated document compliance and completeness checks
    • Full audit and history log on actions performed by internal and external participants

     

     

    CONCEPT FUNCTION
    AUDIT TRAIL Audit Trail: Meridian Cloud keeps track of almost every activity in the system. Administrators can trace user authentication, access logs, project activities, and even electronic signatures, which are critical for the life sciences industry.
    CLIPBOARD Set Under Change: When a package is received and accepted from a contractor, small modifications on the received documents may be necessary. To support this the documents can be assigned to an internal member.
    DASHBOARDS The Dashboards: Give you valuable insights to your projects, packages, and documents in one place. With them, you can view a variety of metrics and filter the results by project names and dates. If desired, you can export the data in spreadsheet formats for further analysis.
    DOCUMENTS Documents in Portal: Documents are combinations of files managed by Meridian users via one or more workflows. Documents are composed of three “parts”: The source file, the rendition (which can be generated in the system), and the document metadata. Document metadata consists of document properties, used to capture information to describe the document details. As documents are revised, Portal tracks the changes to the document and records these changes as are saved as revisions in the document’s history.
    PACKAGES Packages: Meridian Cloud packages contain documents for the exclusive use of the project members to which the packages are issued. Packages can be used as submittals and transmittals between project teams. A transmittal sheet (Microsoft Excel workbook) is included for package content verification. Packages are also used to exchange documents between Meridian Cloud and Meridian Enterprise. Project members can download documents from packages. Meridian Cloud assigns a status to each package for each step in its life cycle to make finding, tracking, and processing packages easier.
    PROJECTS Projects: The primary workspaces in Meridian Portal. After you create projects, you can invite others to join the projects via email. Meridian Portal uses containers called packages within projects to assign sets of documents to other project members for action. After the recipients accept their project invitations, they can work with the packages that are assigned to them. They can also upload documents of their own to packages in the projects.

    Projects in Meridian Portal can be linked to projects in PowerWeb at the project-level.

    QUICK SHARES Quick Shares: Quick Share is a temporary package that you can create to share documents with other project members securely. Quick Shares expire after 30 days and then are deleted automatically. They are not otherwise tracked by Meridian Portal, so you should use them only for informally sharing documents, not as official transmittals.

     

    To learn more about how Meridian 2022 and the CMMS solution can help your team, don’t hesitate to contact the SolidCAD Meridian Team.

     

     

     

     

    Vent-a-Hood

    Success Stories

    Vent-a-Hood

    Company Info:

    Vent-A-Hood was founded in 1933, creating residential ventilation for cooking. Vent-A-Hood was the first manufacturer of home cooking ventilation and range hoods and the creators of a proprietary system called the “Magic Lung”, which uniquely filters out grease and smoke to ensure fire safety to their vast number of customers. Currently, Vent-A-Hood employs a highly skilled workforce to achieve quality craftsmanship. A national as well as an international marketing program includes an impressive roster of distributors, many of which are second generation. Vent-A-Hood products are sold in all fifty states, as well as Canada.

    To learn more, visit: www.ventahood.com

    Seamlessly Transitioning from Autodesk Configurator 360 to SolidCAD’s Variant

    The Challenge

    Vent-A-Hood have understood the benefits of configurators for many years. In fact, they were an alpha user of Autodesk Configurator 360, even before a beta was available. They found 3D modelling to be essential as they were previously using an image-based system to showcase their products. This was unsustainable as their products can be configured in a plethora of ways, even without including decorative attachments. Maintaining the image archive became unfeasible and changes were incredibly difficult to implement. They became one of the 1st ever companies to have Configurator 360 published for clients to use. It was this unique relationship with the Autodesk team that lead them to Variant.

    Once Configurator 360 was no longer available, Vent-A-Hood knew they needed an alternative that could keep up with their complex needs. Knowing the company well, Autodesk recommended they reach out to us at SolidCAD regarding our in-house developed configurator product, Variant.

    The Solution

    Implementing Variant has been a smooth and collaborative effort. Mike Sy, Technology & Purchasing at Vent-A-Hood, said he was drawn to, “the simplicity of the menu system and its elegance.” He continued, saying, “It’s quite easy to navigate. It’s not like we had to publish new documentation just for people to use it because for anybody who’s online, it just makes sense. It’s just drop-down menu, change the option, click a button and you’re good to go.”

    Since Variant uses Autodesk Forge Design Automation API for Inventor, it was able to directly leverage iLogic code in existing Vent-A-Hood models, avoiding time-consuming re-work while easily meeting expected timelines. The solution enabled their sales and engineering teams to work from a single source of truth without delays, errors, or miscommunication.

    Variant is currently live on the Vent-A-Hood website as of April 2022 with an ongoing average rate of 2000 configurations added every month. SolidCAD is thrilled to continue working with Vent-A-Hood and for the exciting future updates, some of which the Vent-A-Hood team have helped envision.

    Software And Services Used

    • Variant
    • Implementation and Support

    Testimonial

    SolidCAD is very easy to work with and all the timelines were dead on. I have great communication with the team and give them my thoughts on everything; they’re very receptive. The process has been very collaborative, it’s quite refreshing.
    – Mike Sy
    Technology & Purchasing, Vent-A-Hood

    Similar Projects

    Ian Robertson Design Elevates Client Engagement with BIM

    Ian Robertson Design, renowned for luxury residential projects, partnered with SolidCAD to fully implement Building Information Modeling (BIM), enhancing client engagement through advanced visualization tools and streamlined workflows. [...]

    Énergir

    Énergir, Québec's leading natural gas distributor, collaborated with SolidCAD to transition from MicroStation DGN to AutoCAD DWG, enhancing data accuracy, field safety, and interdepartmental collaboration.[...]
    Rutherford 120

    Who is Strasman Architects?

    Architecture is not merely about designing structures; it's an intricate blend of art and science that shapes the built environment, reflecting the cultural, social, and technological nuances of its time. Most importantly, it’s a collaborative…

    Plant 3D & Roll Over Tool Tips

    When working on any design, it’s helpful to have data readily available. Typically, when we need to see certain properties of an object in AutoCAD, we would have to select the item and open its properties window.

    If you are familiar with AutoCAD, you may know that there is a “Roll Over Tooltip” feature. This lets you hover your curser over an object and see certain information related to it. By default, the information we see is basic. Such as layer, color, and line type.

    Did you know that Plant 3D utilises this feature as well? As you can see below, hovering over a valve brings up specific Plant 3D information. This is very helpful when we need to require information quickly.

     

    But what if the information displayed is not enough? By going into the AutoCAD CUI settings, we can toggle additional fields for the tool tip. In this example, I have turned on Long Description (Size).

    Hovering over the component now displays the Long Description information as well.

    The AutoCAD CUI settings has integrated Plant 3D properties with its tool tips feature. It has given us the ability to toggle additional information from your Plant 3D design. Thanks for tuning in and I hope this information is useful.

    Atlantis Strength

    Success Stories

    Atlantis Strength

    Atlantis Strength is Canada’s largest commercial strength equipment manufacturer. They employ a careful balance of in-house and out-sourced methodology, and CAD technology that dictates every cut, weld, and part used during their 6-stage manufacturing process. Atlantis Strength was founded by Canadian bodybuilding champion Raymond Sansoucy over 30 years ago and has become an industry leader, offering 240 pieces of customizable strength equipment to customers around the world.

    Atlantis Strength has been partnered with SolidCAD for several years now and continues to work together to ensure they have the best software to meet their growing needs as they overcome the challenges in their industry.

    Improving Communication and Increasing Productivity with Autodesk Vault Professional®!

    The Challenge

    As Atlantis Strength rapidly grew, so did their need for data management. They struggled with efficient communication between the manufacturing and engineering teams, and often found that their projects took longer than necessary due to the lack of centralized information. Despite their highly skilled staff, it was difficult to keep information up to date. This reduced productivity and prevented the team from working at their full potential, causing massive delays.

    The Solution

    Atlantis Strength realized that their workflow needed improving and that efficient communication was crucial to the productivity of their team. Searching for a solution, they reached out to SolidCAD and asked what their best option was. SolidCAD’s representative introduced them to Vault Professional, the product data management software that would help streamline their current manufacturing workflow.

    Vault Professional has allowed the company to easily manage all their design and engineering data and take control of their product development processes. Staff can work from data without worrying about out-of-date documents that could result in engineering errors or miscommunication between departments.

    The Results
    • Project completion time has reduced significantly, resulting in their productivity improving by 75%.
    • Staff has immediate access to the latest versions of designs, reducing the amount of design errors.
    • Communication between teams has greatly improved.

    Testimonial

    Testimonial

    The difference was like night and day; we’ve completely streamlined our workflow and the timeline of our projects has really improved. This solution is fantastic. To anyone else in our position, do not hesitate to reach out to SolidCAD. Their technical team is highly skilled. The communication, the training, their availability, it’s everything we needed.

    - Diego Fernandez
    Senior Designer at Atlantis Strength

    Products & Services Used

    • Vault Pro
    • Implementation and Training
    • Support

    Similar Projects

    3D-P

    3D-P consists of a team of mining and positioning technology experts. It was created to bring innovative thinking and new technologies to the mining industry. They have since evolved to bring this approach to several…

    Starline Windows

    Starline Windows is an industry leader in the design and manufacturing of architectural aluminum window systems, as well as residential vinyl windows and doors for over 50 years. They have completed thousands of contracts and…

    CMAC-Thyssen

    CMAC-Thyssen Mining Group is a contractor and mining equipment manufacturer offering a diverse range of fully integrated services with contracts carried out across multiple continents and over 850 employees worldwide. CMAC-Thyssen Mining Group makes the…