Loading...

Messages

Proposals

Stuck in your homework and missing deadline? Get urgent help in $10/Page with 24 hours deadline

Get Urgent Writing Help In Your Essays, Assignments, Homeworks, Dissertation, Thesis Or Coursework & Achieve A+ Grades.

Privacy Guaranteed - 100% Plagiarism Free Writing - Free Turnitin Report - Professional And Experienced Writers - 24/7 Online Support

Discussion

18/09/2020 Client: tiger Deadline: 10 Days

 There are many ways to misrepresent data through visualizations of data. There are a variety of websites that exist solely to put these types of graphics on display, to discredit otherwise somewhat credible sources. Leo (2019), an employee of The Economist, wrote an article about the mistakes found within the magazine she works for. Misrepresentations were the topic of Sosulski (2016) in her blog. This is discussed in the course textbook, as well (Kirk, 2016, p. 305).


After reading through these references use the data attached to this forum to create two visualizations in R depicting the same information. In one, create a subtle misrepresentation of the data. In the other remove the misrepresentation. Add static images of the two visualizations to your post. Provide your interpretations of each visualization along with the programming code you used to create the plots. Do not attach anything to the forum: insert images as shown and enter the programming code in your post.


When adding images to the discussion board, use the insert image icon.


Adding Images to the discussion board


This is the data to use for this post: Country_Data.csv


Before plotting, you must subset, group, or summarize this data into a much smaller set of points. Include your programming code for all programming work. It would be more likely that one would win a multi-million dollar lottery than plot the same information the same exact way. However, if you have, you will need to repost and make your post unique. The first post to provide the content does not need to change.


References


Kirk, A. (2016). Data visualisation: A handbook for data driven design. Sage.


Leo, S. (2019, May 27). Mistakes, we've drawn a few: Learning from our errors in data visualization. The Economist. https://medium.economist.com/mistakes-weve-drawn-a-few-8cdd8a42d368


Sosulski, K. (2016, January). Top 5 visualization errors [Blog]. http://www.kristensosulski.com/2016/01/top-5-data-visualization-errors/




An example post:


The factual and misrepresented plots in this post are under the context that the visualizations represent the strength of the economy in five Asian countries: Japan, Israel, and Singapore, South Korea, and Oman. The gross domestic product is the amount of product throughput. GDP per capita is the manner in which the health of the economy can be represented.


The visual is provided to access the following research question:


How does the health of the economy between five Asian countries: Japan, Israel, and Singapore, South Korea, and Oman, compare from 1952 to 2011?


gdpPerCapitaGDP


The plot on the left is the true representation of the economic health over the years of the presented countries. Japan consistently has seen the best economic health of the depicted countries. Singapore and South Korea both have large increases over the years, accelerating faster than the other countries in economic health. Oman saw significant growth in the years between 1960 and 1970, but the growth tapered off. All of the countries saw an increase in health over the provided time frame, per this dataset. Israel saw growth, but not as much as the other countries.


The plot on the right is only GDP and does not actually represent the economic health. Without acknowledging the number of persons the GDP represents, Japan is still the leading country over the time frame and within the scope of this dataset. Singapore's metrics depict some of the larger issues of representing the GDP without considering the population. Instead of Singapore's metrics depicting significant growth and having a level of health competitive with Japan in the true representation, Singapore has the fourth smallest GDP. It indicates that Singapore's economy is one of the least healthy amongst the five countries.


The programming used in R to subset, create, and save the plots:


# make two plots of the same information - one misrepresenting the data and one that does not

# use Country_Data.csv data

# plots based on the assumption the information is provided to represent the health of the countries' economy compared to other countries

# August 2020

# Dr. McClure




library(tidyverse)

library(funModeling)

library(ggthemes)



# collect the data file

pData <- read.csv("C:/Users/fraup/Google Drive/UCumberlands/ITS 530/Code/_data/Country_Data.csv")


# check the general health of the data

df_status(pData)

# no NA's no zeros



# look at the data structure

glimpse(pData) # nothing of note




# arbitrarily selected Asia, then list the countries by the highest gdp per capita, to plot competing economies*

# select countries - also use countries that cover all of the years in the dataset (52 years)

(selCountries <- pdata %>% 


    filter(continent == "Asia") %>%

    group_by(country) %>%

    summarise(ct = n(),

              gdpPop = mean(gross_domestic_product/population)) %>%

    arrange(-ct, 

           -gdpPop) %>%

    select(country) %>%

    unlist())

# many countries have 52 years worth of data



# good plot representation of the GDP per capita

p1 <- pdata %>% 

    filter(country %in% selCountries[1:5]) %>%    # use subset to identify the top 5 countries to filter for

    ggplot(aes(x = year,                          # plot the countries for each year

               y = log(gross_domestic_product/population), # calculating the log of gdp/pop = GDP per capita

               color = country)) +                # color by country

    geom_line() +                                 # creating a line plot

    scale_x_continuous(expand = expansion(add = c(7,1)), # expand the x axis, so the name labels of the country are on the plot

                       name = "Year") +           # capitalize the x label, so the annotation is consistent

    geom_text(inherit.aes = F,                    # don't use the aes established in ggplot

                        data = filter(pData,                 # filter for one data point per country for the label, so one label per country

                           country %in% selCountries[1:5],

                           year == 1960),

             aes(label = country,                 # assign the label

                 x = year,

                 y = log(gross_domestic_product/population), # keep the axes and color the same

             color = country),

             hjust = "outward",                   # shift the text outward

             size = 3) +                          # make the text size smaller

    scale_color_viridis_d(end = .8,               # don't include the light yellow, not very visible

                          guide = "none") +       # no legend, because of text labels

    scale_y_continuous(name = "GDP per capita - Log Scale") +      # rename y axis

    ggtitle("Five Asian Countries: GDP per Capita between 1960 and 2011") +      # plot title

    theme_tufte()



# misrepresent economic health - don't account for population

p2 <- pdata %>% 

    filter(country %in% selCountries[1:5]) %>%    # use subset to identify the top 5 countries to filter for

    ggplot(aes(x = year,                          # plot the countries for each year

               y = log(gross_domestic_product),   # calculating the log of gdp

               color = country)) +                # color by country

    geom_line() +                                 # creating a line plot

    scale_x_continuous(expand = expansion(add = c(7,1)), # expand the x axis, so the name labels of the country are on the plot

                       name = "Year") +           # capitalize the x label, so the annotation is consistent

    geom_text(inherit.aes = F,                    # don't use the aes established in ggplot

                        data = filter(pData,                 # filter for one data point per country for the label, so one label per country

                           country %in% selCountries[1:5],

                           year == 1960),

             aes(label = country,                 # assign the label

                 x = year,

                 y = log(gross_domestic_product), # keep the axes and color the same

             color = country),

             hjust = "outward",                   # shift the text outward

             size = 3) +                          # make the text size smaller

    scale_color_viridis_d(end = .8,               # don't include the light yellow, not very visible

                          guide = "none") +       # no legend, because of text labels

    scale_y_continuous(name = "GDP - Log Scale") +      # rename y axis

    ggtitle("Five Asian Countries: GDP between 1960 and 2011") +      # plot title

    theme_tufte()

# save each plot with a transparent background in the archive image folder 

ggsave(filename = "PerCapita.png",

      plot = p1,

      bg = "transparent",

      path = "./code archive/_images")

ggsave(filename = "GDP.png", 

      plot = p2,

      bg = "transparent",

      path = "./code archive/_images")

Homework is Completed By:

Writer Writer Name Amount Client Comments & Rating
Instant Homework Helper

ONLINE

Instant Homework Helper

$36

She helped me in last minute in a very reasonable price. She is a lifesaver, I got A+ grade in my homework, I will surely hire her again for my next assignments, Thumbs Up!

Order & Get This Solution Within 3 Hours in $25/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 3 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

Order & Get This Solution Within 6 Hours in $20/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 6 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

Order & Get This Solution Within 12 Hours in $15/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 12 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

6 writers have sent their proposals to do this homework:

Academic Master
Top Academic Guru
Buy Coursework Help
Assignment Hub
Writing Factory
University Coursework Help
Writer Writer Name Offer Chat
Academic Master

ONLINE

Academic Master

I have super grip on essays, case studies, reports and discussion posts. I am working on this forum from last 6 years with full amount of satisfaction of my clients.

$55 Chat With Writer
Top Academic Guru

ONLINE

Top Academic Guru

This project is my strength and I can fulfill your requirements properly within your given deadline. I always give plagiarism-free work to my clients at very competitive prices.

$50 Chat With Writer
Buy Coursework Help

ONLINE

Buy Coursework Help

I can help you with your project. I will make sure to provide you exceptional quality work within the required timeframe. Please message me so we can discuss the further details over chat.

$50 Chat With Writer
Assignment Hub

ONLINE

Assignment Hub

I feel, I am the best option for you to fulfill this project with 100% perfection. I am working in this industry since 2014 and I have served more than 1200 clients with a full amount of satisfaction.

$70 Chat With Writer
Writing Factory

ONLINE

Writing Factory

I can help you with creating a presentation of one slide for The Word of William Hunter. I will be happy to offer you 100% original work with high-quality standard, professional research and writing services of various complexities.

$40 Chat With Writer
University Coursework Help

ONLINE

University Coursework Help

Greetings! I’m very much interested to write for attendance systems. I am a Professional Writer with over 5 years of experience, therefore, I can easily do this job. I will also provide you with TURNITIN PLAGIARISM REPORT. You can message me to discuss the details.

$55 Chat With Writer

Let our expert academic writers to help you in achieving a+ grades in your homework, assignment, quiz or exam.

Similar Homework Questions

Jk rowling harvard commencement speech 2008 - Assignment 12 - Volume of a troy pound of gold - Explain two basic principles of interpersonal communication - Market structure worksheet - Lead screw size chart - Bsbwhs501a assessment answer - Mcgraw hill primis custom publishing - List five reasons for organizing data into a frequency distribution - Latrobe final exam timetable - General Psych - Production and operations management assignment pdf - Standard form to general form circle - Fat yak dan murphys - What does the disaster recovery cost curve chart - Discussion - Mike w martin ethics in engineering pdf - Summer tri cosamine - Course project Quality control - Articulating your philosophy of nursing - Siemens automatic transfer switch - Underline the verbs with answers - Lines composed a few miles above tintern abbey annotation - Absolute power to control the internet and its content - The area inside (within) the production possibilities frontier (ppf) contains ________ points. - Weight watchers outraged at jennifer - Usyd personal exam timetable - Analyze the strategies used to negotiate new managed care contracts - Shady glade word ladder answers - Sweeney todd ray winstone - Six common misperceptions about teamwork - Lucila es más alta y más bonita __ tita - Unit 7 Assignment 1 - Excel Analysis - Ecpi xendesktop - Black jack bitumen primer - Bangladesh agricultural university subjects - Chemistry in context answers aquatherm pipe and fittings - Import export power meter - Incremental benefit cost analysis example - Biblical concepts in counseling colorado springs - Accounting-Need these reworded - Writing an analysis of media messages - Human genetics lewis 11th edition - Is a cold pack endothermic - New amsterdam theatre capacity - Weekly plan that includes goals for children's learning and development - A bronzeville mother loiters in mississippi poem - Sarawak is a Malaysian state located on the Island of Borneo. The predominant soil order for most of Sarawak is the same as which of the following locations? - Wiley plus accounting answers chapter 6 - Dozier corporation is a fast growing supplier of office products - The five i's of microbiology - Which of the following has zero dipole moment - Fraser foods case study answers - Tom finds happiness comprehension answers - Independent strategy of an organization to change its current environment - Bus/475 - HS 2100 Family Dynamics - Lync 2010 attendee client - Writing routine and positive messages in business communication - Webster city daily freeman journal - &&+2349022657119..HOW TO JOIN OCCULT FOR MONEY RITUAL.. ILIMIENAT.. VOODOO HEALER..HOODOO SPLLER - Salon requirements for preparing yourself the client and work area - Discussion - Comparative economics - The dutch company european foods apple sauce 720g - Discuss case 9.2 hsbc combats fraud in split second decisions - 10 facts about the dewey decimal system - Analysis of economic data 4th edition pdf - Cmos circuit design layout and simulation solution manual pdf - Screening test for developmental apraxia of speech - Dorset early learning and kindergarten - Navman tracker 5500 c map cards - Health psychology question paper - Four learning patterns - Wdia bobby o jay eye candy - What do atoms look like - Order # 9381 - The document flow for the expenditure cycle would be - Discussion (MK) - Facebook inc the initial public offering case study - The contrast between mass marketing and one to one marketing - Facile synthesis - Slope 2 y intercept 3 - Grandma's experiences leave a mark on your genes - Contact woolworths home insurance - Httprecipes login - Method overloading and method overriding in java with examples - What's the difference between diffusion and osmosis - Toyota landcruiser troop carrier dimensions - Human resource test - Master of education uwa - Amazon alexa target audience - High level requirements document - Have you ever seen the rain lyrics - Riba part 3 criteria - What google learned from its quest - How to use color in film pdf - Weeek-3 - Field axioms of real numbers examples - Presented below are three independent situations