Discus7-350 words

Research the ethical issues of self-driving cars and offer opinions based on findings.

Note:

need proper APA format

reference

System Design

 system design documents for traffic monitoring  system (logic, processes, structure, etc.). Use the techniques from your MSIS System Analysis, Modeling and Design.

week 7 individual

 Minimum 600 words

This assignment should be in APA format and have to include at least two references.

As  you consider the reputation service and the needs of customers or  individual consumers, as well as, perhaps, large organizations that are  security conscious like our fictitious enterprise, Digital Diskus, what  will be the expectations and requirements of the customers? Will  consumers’ needs be different from those of enterprises? Who owns the  data that is being served from the reputation service? In addition, what  kinds of protections might a customer expect from other customers when  accessing reputations?

Adding Images to the discussion board

Discussion

 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")

Discussion

  Write a discussion of 250 words with APA formatted edition 7 and APA references with citation.

● Discuss the evolution of data storage. 

● Where is this technology today and comment on data storage for big data, mobile devices, and the cloud?

Big Data and Cloud Computing

Week 4 Research Paper: Big Data and the Internet of Things

The recent advances in information and communication technology (ICT) has promoted the evolution of conventional computer-aided manufacturing industry to smart data-driven manufacturing. Data analytics in massive manufacturing data can extract huge business values while it can also result in research challenges due to the heterogeneous data types, enormous volume and real-time velocity of manufacturing data.

For this assignment, you are required to research the benefits as well as the challenges associated with Big Data Analytics for Manufacturing Internet of Things.

Your paper should meet these requirements:

  • Be approximately four to six pages in length, not including the required cover page and reference page.
  • Follow APA 7 guidelines. Your paper should include an introduction, a body with fully developed content, and a conclusion.
  • Support your answers with the readings from the course and at least two scholarly journal articles to support your positions, claims, and observations, in addition to your textbook. The UC Library is a great place to find resources.
  • Be clearly and well-written, concise, and logical, using excellent grammar and style techniques. You are being graded in part on the quality of your writing.

PowerPoint presentation

     

Review the guidelines on the attached file then prepare a PowerPoint presentation on one of the topics below. Use the material located in the GO! with Computer Concepts textbook as well as searching online for information. Save your file as Your Name Midterm Exam.

1. Cloud Computing or One Drive: Either provide an overview of cloud computing or provide steps illustrating how to use your campus-provided OneDrive account.

2. Microsoft Sway.

3. Web versus Internet: Explain the difference between the World Wide Web and the Internet.

4. Computer technology jobs: Provide an overview of the types of career opportunities available within the field of computer technology.

5. Explain some of the basic concepts associated with building a Website.

6. The history of computers.

7. The evolution of smartphone technology.

8. Present the main features and concepts associated with a Windows 10 operating system.

9. Differentiate between a server and a client in a network setting.

10. Explain how a computer’s various hardware components work, both independently and together.

11. Digital security risks associated with viruses and other malware.

12. How society uses technology in education, government, health care, publishing, manufacturing, or business (choose 1).

13. Describe the relationship among the web, webpages, websites, and web servers.

14. Differentiate between an operating system and applications.

                           You must adhere to the following criteria:

· Review the attached Do’s and Don’ts file

· The presentation must contain a minimum of eight slides to include a title slide, at least six content slides, and a summary slide at the end

· Create an appropriate title on the title slide for the presentation, include your name, course title, and midterm exam

· Apply an appropriate theme to the presentation

· Use slide layouts that will effectively present the content

· Keep in mind the 7 x 7 rule: use a maximum of seven lines of text per slide and not more than seven words per line

· Modify text alignment and line spacing as necessary

· Include at least two pictures/clip art in the presentation; apply a picture style or picture effect to each picture

· Apply a picture to one slide background OR make another format background change to the one slide

· Include at least one shape object; apply styles

· Include WordArt on at least one slide

· Include a SmartArt Graphic on at least one slide

· Animate text or object on at least one slide

· Add a footer to all slides except for the title slide that includes page numbers and your first and last name

· Apply a slide transition to all slides

· Save the presentation as “Your Name Midterm Exam.” 

· Upload the file via the link in Blackboard for grading.

Presentation power point.

Hide Folder InformationTurnitin®Turnitin® enabledThis assignment will be submitted to Turnitin®.Instructions

Pick one of the below operating systems and present information on the operating systems, and your thoughts comparing the selected operating system with other systems.

  • Windows 
  • Linux 
  • Unix
  • Android
  • iOS

Due DateOct 22.

Only seroious bidder.
Must be Computer Science Major to do this task.

1 page in APA 6th Format on BlockChain

1 page in APA 6th Format on BlockChain on the below points.

1. In chapter 2, the author describes Hyperledger Fabric and its components. Create a new thread, choose one of the Hyperledger design principles described in chapter 2, and explain why your chosen design principle is important to a successful enterprise blockchain implementation. I’m interested to read what YOU learned from this week’s reading. Do NOT submit a research paper. Tell me what you think.

2. Then think of three questions you’d like to ask other students and add these to the end of your thread.