DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Please enter at least three characters to search
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Zones

Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks

Because the DevOps movement has redefined engineering responsibilities, SREs now have to become stewards of observability strategy.

Apache Cassandra combines the benefits of major NoSQL databases to support data management needs not covered by traditional RDBMS vendors.

The software you build is only as secure as the code that powers it. Learn how malicious code creeps into your software supply chain.

Generative AI has transformed nearly every industry. How can you leverage GenAI to improve your productivity and efficiency?

The Latest Coding Topics

article thumbnail
Set Up MuleSoft Dynamic Client Registration and Identity Management [Videos]
In this article, see a video on how to secure a MuleSoft Dynamic Client Registration API, and see another on how to set up MuleSoft AnyPoint Platform Identity.
February 10, 2020
by Jitendra Bafna DZone Core CORE
· 12,429 Views · 4 Likes
article thumbnail
Apache Kafka Consumer Group Offset Retention
This article provides a fix to a problem in building a Kafka cluster.
February 10, 2020
by Praveen KG
· 38,850 Views · 5 Likes
article thumbnail
Learn Python — Take This 10 Week Transformation Challenge
Use this article as a template to start your journey to becoming a Python master! Start with language basics and move all the way into some basic ML.
Updated February 10, 2020
by Shivashish Thkaur DZone Core CORE
· 10,524 Views · 15 Likes
article thumbnail
Implementing MUnit And MUnit Matchers With MuleSoft
MUnit is a Mule application testing framework that allows you to build automated tests for your Mule integrations and APIs.
Updated February 10, 2020
by Jitendra Bafna DZone Core CORE
· 23,168 Views · 4 Likes
article thumbnail
When to ''Unstub'' a Component in a Vue.js Unit Test
To test a component in isolation you can replace it's children components by stubbing them. Vue Test Utils can automatically do this for you with a feature called shallowMount. But what happens if a component is tightly coupled to one of its children? You can still use shallowMount, but you'll then have to selectively "unstub" the tightly coupled child. In this article, I'll show you how to use stubbing to write simpler unit tests. Note: this article was originally posted here on the Vue.js Developers blog on 2019/09/30. Testing in isolation A key idea of unit testing is to test a "unit" of the application in isolation. In component-based frontend apps, we consider the "unit" to be a component. Testing a component in isolation ensures that tests are unaffected by dependencies and other influences of children components. To isolate a component from surrounding components, you can stub it's children components. The diagram below shows how stubbing this way would affect a typical component hierarchy. Stubbing a component usually means replacing it with a simple "stand in" component with no state, logic, and a minimal template. For example, you might replace this: export default { name: "MyComponent", template: "..." props: { ... }, methods: { ... }, computed: { ... } ... }; with this: export default { name: "MyComponentStub" template: "" }; Rather than manually stubbing children components, though, Vue Test Utils offers the shallowMount feature which does it automatically. Coupled components In the real world, components aren't always completely decoupled. Sometimes a component relies on a child component and so the child can't be stubbed without losing some functionality. For example, say we make a button with a cool animation, and we want to reuse it across an app, and so we decide to create a custom component called animated-button. We now have the my-form component that uses this button component. It's been implemented such that my-form is coupled to animated-button, since the latter emits a "click" event that's used to trigger the submit method in the former. MyForm.vue Unit testing my-form Another key idea of unit testing is that we want to test the inputs and outputs of the unit and consider the internals to be a black box. In the my-form component, we should make a unit test where the input is the click of the button, while the output is the Vuex commit. We'll call this test "should commit FORM_SUBMIT when button clicked". We'll create it by first shallow mounting MyForm to isolate it from the influence of any children components as previously prescribed. MyForm.spec.js import { shallowMount } from "@vue/test-utils"; import MyForm from "@/components/MyForm"; describe("MyForm.vue", () => { it("should commit FORM_SUBMIT when button clicked", () => { const wrapper = shallowMount(MyForm); }); }); Next, we'll use the wrapper find API method to find the button component. We pass a CSS selector "animated-button" as the locator strategy. We can then chain the trigger method and pass "click" as the argument. This is how we generate the input of the test. We can then assert that a Vuex commit gets made (probably using a spy, but that's not relevant to this article so I won't detail it). MyForm.spec.js it("should commit FORM_SUBMIT when button clicked", () => { const wrapper = shallowMount(MyForm); wrapper.find("animated-button").trigger("click"); // assert that $store.commit was called }); If we try to run that, we'll get this error from Vue Test Utils: find did not return animated-button, cannot call trigger() on empty Wrapper Is the CSS selector wrong? No, the issue is that we shallow mounted the component, so all the children were stubbed. The auto-stub process changes the name of AnimatedButton to "animated-button-stub" in the template. But changing the selector from "animated-button" to "animated-button-stub" is not a solution. Auto-stubs have no internal logic, so the click event we trigger on it is not being listened to anyway. Selective unstubbing We still want to shallow mount my-form, as we want to ensure it's isolated from the influence of its children. But animated-button is an exception as it's functionality is required for the test. Vue Test Utils allows us to specify the stub for a particular component rather than using an auto-stub when shallow mounting. So the trick is to "unstub" animated-button by using its original component definition as the stub so it retains all of its functionality! To do this, let's import the AnimatedButton component at the top of the file. Now, let's go to our test and create a const stubs and assign it an object. We can put AnimatedButton as an object property shorthand. Now, we'll pass in stubs as part of our shallow mount config. We'll also replace the CSS selector with the component definition, as this is the preferred way of using the find method. MyForm.spec.js import { shallowMount } from "@vue/test-utils"; import MyForm from "@/components/MyForm"; import AnimatedButton from "@/component/AnimatedButton" describe("MyForm.vue", () => { it("should commit FORM_SUBMIT when button clicked", () => { const stubs = { AnimatedButton }; const wrapper = shallowMount(MyForm, { stubs }); wrapper.find(AnimatedButton).trigger("click"); ... }); }); Doing it this way should give you a green tick. Wrap up You always want to isolate your components in a unit test, which can easily be achieved by stubbing all the children components with shallowMount. However, if your component is tightly coupled with one of its children, you can selectively "unstub" that component by providing the component definition as a stub and overriding the auto-stub. Become a senior Vue developer in 2020. Learn and master what professionals know about building, testing, and deploying, full-stack Vue apps in our latest course. Learn more
February 7, 2020
by Anthony Gore DZone Core CORE
· 6,044 Views · 2 Likes
article thumbnail
SQL INSERT, UPDATE, DELETE — Oh My!
In this article, learn about SQL INSERT, UPDATE, and DELETE statements and explore a case study.
February 7, 2020
by Rebecca McKeown
· 83,034 Views · 6 Likes
article thumbnail
Top 6 Programming Languages for Mobile App Development
When you start building a mobile app, what languages should be on your radar?
Updated February 7, 2020
by Calvin Austins
· 519,462 Views · 41 Likes
article thumbnail
8 Awesome PHP Web Scraping Libraries and Tools
Well, the title of this article pretty much explains it all. If you're in getting started with web scraping, read on for overview of PHP frameworks to help with that!
Updated February 7, 2020
by Hiren Patel
· 164,933 Views · 9 Likes
article thumbnail
Using AWS Step Functions For Offloading Exponential Backoffs
This tutorial demonstrates how you can apply AWS Step Functions to offload exponential backoffs as well as the technical challenges that entails.
Updated February 6, 2020
by Murat Balkan DZone Core CORE
· 8,503 Views · 2 Likes
article thumbnail
How To Add AutoComplete Textbox In React Application
In this article we are going to learn how we add AutoComplete textbox in ReactJS. We use Material UI Autocomplete component in this demo.
February 6, 2020
by Sanwar Ranwa DZone Core CORE
· 13,074 Views · 4 Likes
article thumbnail
How to Create Your First GitHub Commit
This article shows you how to create your own GitHub commit by making your repo, create your commit, and link your remote repo.
February 6, 2020
by Marouen Helali
· 23,676 Views · 7 Likes
article thumbnail
Top 21 Selenium Automation Testing Blogs to Look Out For!
In this article, we have a look at the top 21 Selenium testing blogs (in no particular order) that would be helpful in your testing expedition.
February 6, 2020
by Himanshu Sheth DZone Core CORE
· 26,715 Views · 15 Likes
article thumbnail
Design Patterns for Beginners With Java Examples
In this article, learn more about design patterns and look at some Java examples as well as a video.
Updated February 5, 2020
by Ranga Karanam DZone Core CORE
· 164,851 Views · 53 Likes
article thumbnail
Navigation in a React Native Web Application
In this article, we discuss how to add navigation to a React Native web application with npm's react-navigation module.
February 5, 2020
by Jason Rees
· 11,030 Views · 5 Likes
article thumbnail
Hands-on With Node.js Streams: Examples and Approach
In this article, we cover the basics around Streams and provide examples and use-cases for readable, writeable, duplex, and transform streams.
February 5, 2020
by Shital Agarwal
· 8,939 Views · 5 Likes
article thumbnail
Docker With Spring Boot and MySQL: Docker Swarm Part 3
In this article, we look at how to using Docker Swarm with Spring Boot and MySQL. We then dive into relationships between Worker and Manager nodes.
February 5, 2020
by Sanjoy Kumer Deb DZone Core CORE
· 21,202 Views · 5 Likes
article thumbnail
Critical CSS and Webpack: Automatically Minimize Render-Blocking CSS
Learn how to programmatically identify any CSS that's slowing down your web application, and how to minimize it to speed up load times.
Updated February 5, 2020
by Anthony Gore DZone Core CORE
· 31,196 Views · 7 Likes
article thumbnail
Why Use SQL Over Excel
SQL can make your life easier, as it’s more efficient and faster than Excel. How and from where can you learn SQL?
February 5, 2020
by Shanika WIckramasinghe
· 22,821 Views · 4 Likes
article thumbnail
How to Implement Splunk Enterprise On-Premise for a MuleSoft App
In this article, see how to implement Splunk Enterprise on-premise for a MuleSoft application using Anypoint Studio and Anypoint Platform Runtime Manager.
Updated February 4, 2020
by Jitendra Bafna DZone Core CORE
· 38,250 Views · 7 Likes
article thumbnail
Switching From React to Vue.js
If you're caught trying to decide between these two great JavaScript frameworks, read on to get a Vue advocate's opinion on the matter.
Updated February 4, 2020
by Anthony Gore DZone Core CORE
· 29,165 Views · 17 Likes
  • Previous
  • ...
  • 432
  • 433
  • 434
  • 435
  • 436
  • 437
  • 438
  • 439
  • 440
  • 441
  • ...
  • Next

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • support@dzone.com

Let's be friends: