Using Microsoft SQL Server Management Studio 2012 (Or Later) Or DataGrip

it’s only 10 questions … 

Sample Code:

USE TV

SELECT *

FROM    SHOW

/* All high-def channels: */

SELECT *

FROM   CHANNEL

WHERE  DisplayName LIKE ‘%HD’;

/* Limit results to just the channel #: */

SELECT ChannelID

FROM   CHANNEL

WHERE  DisplayName LIKE ‘%HD’;

/*  Use this as a subquery to identify shows on these channels: */

SELECT *

FROM   SCHEDULE

WHERE  FK_ChannelID IN

 (SELECT ChannelID

 FROM   CHANNEL

 WHERE  DisplayName LIKE ‘%HD’

 )

ORDER BY ScheduleID;

/* Note that available columns are now limited to only those from SCHEDULE. */

/* An additional condition: limit to Spanish genre shows: */

SELECT *

FROM   SCHEDULE

WHERE  FK_ChannelID IN

 (SELECT ChannelID

 FROM   CHANNEL

 WHERE  DisplayName LIKE ‘%HD’

 )

AND  FK_ShowID IN

 (SELECT ShowID

 FROM   SHOW

 WHERE  Genre = ‘Spanish’

 )

ORDER BY ScheduleID;

/* Reverse logic by using NOT IN: */

SELECT *

FROM   SCHEDULE

WHERE  FK_ChannelID NOT IN

 (SELECT ChannelID

 FROM   CHANNEL

 WHERE  DisplayName LIKE ‘%HD’

 )

AND  FK_ShowID NOT IN

 (SELECT ShowID

 FROM   SHOW

 WHERE  Genre = ‘Spanish’

 )

ORDER BY ScheduleID;

/* Show channels in which the most popular Children’s show is scheuled: */

SELECT *

FROM   CHANNEL

WHERE  ChannelID IN

 (SELECT FK_ChannelID

 FROM   SCHEDULE

 WHERE  FK_ShowID =

 (SELECT TOP 1 ShowID

 FROM   SHOW

 WHERE  Genre = ‘Children’

 ORDER BY ISNULL(StarRating,0) DESC

 )

 );

/* Same query, but using correlated subquery with EXISTS: */

SELECT *

FROM   CHANNEL

WHERE  EXISTS

 (SELECT FK_ChannelID

 FROM   SCHEDULE

 WHERE  SCHEDULE.FK_ChannelID = CHANNEL.ChannelID 

 AND    FK_ShowID =

 (SELECT TOP 1 ShowID

 FROM   SHOW

 WHERE  Genre = ‘Children’

 ORDER BY ISNULL(StarRating,0) DESC

 )

 );

/* Genre breakdown; plus Title of most popular show for each: */

SELECT OUTERSHOW.Genre,

 COUNT(*) AS TOTALSHOWS,

 (SELECT TOP 1 INNERSHOW.Title

 FROM   SHOW AS INNERSHOW

 WHERE  INNERSHOW.Genre = OUTERSHOW.Genre

 ORDER BY ISNULL(INNERSHOW.StarRating,0) DESC

 ) AS MOSTPOPULARSHOW

FROM   SHOW AS OUTERSHOW

GROUP BY OUTERSHOW.Genre

ORDER BY OUTERSHOW.Genre;

/* Why does this version fail? */

SELECT OUTERSHOW.Genre,

 COUNT(*) AS TOTALSHOWS,

 (SELECT INNERSHOW.Title

 FROM   SHOW AS INNERSHOW

 WHERE  INNERSHOW.Genre = OUTERSHOW.Genre

 AND    INNERSHOW.StarRating =

 (SELECT MAX(StarRating)

 FROM   SHOW )

 ) AS MOSTPOPULARSHOW

FROM   SHOW AS OUTERSHOW

GROUP BY OUTERSHOW.Genre

ORDER BY OUTERSHOW.Genre;

/* Add least popular Title: */

SELECT OUTERSHOW.Genre,

 COUNT(*) AS TOTALSHOWS,

 (SELECT TOP 1 INNERSHOW.Title

 FROM   SHOW AS INNERSHOW

 WHERE  INNERSHOW.Genre = OUTERSHOW.Genre

 ORDER BY ISNULL(INNERSHOW.StarRating,0) DESC

 ) AS MOSTPOPULARSHOW,

 (SELECT TOP 1 INNERSHOW.Title

 FROM   SHOW AS INNERSHOW

 WHERE  INNERSHOW.Genre = OUTERSHOW.Genre

 ORDER BY ISNULL(INNERSHOW.StarRating,999) ASC

 ) AS LEASTPOPULARSHOW

FROM   SHOW AS OUTERSHOW

GROUP BY OUTERSHOW.Genre

ORDER BY OUTERSHOW.Genre;

/* Subquery in ORDER BY clause; sort by earliest StartTime: */

SELECT Title,

       Genre

FROM   SHOW 

ORDER BY ISNULL(

 (SELECT MIN( CONVERT(TIME, StartTime, 14) )

 FROM   SCHEDULE

 WHERE  SCHEDULE.FK_ShowID = SHOW.ShowID),

 ’00:00:00′) ASC;

/* Same subquery in the SELECT to show value.  Inefficient! */

SELECT Title,

       Genre,

 ISNULL(

 (SELECT MIN( CONVERT(TIME, StartTime, 14) )

 FROM   SCHEDULE

 WHERE  SCHEDULE.FK_ShowID = SHOW.ShowID), ’00:00:00′) AS EarliestTime

FROM   SHOW 

ORDER BY ISNULL(

 (SELECT MIN( CONVERT(TIME, StartTime, 14) )

 FROM   SCHEDULE

 WHERE  SCHEDULE.FK_ShowID = SHOW.ShowID),

 ’00:00:00′) ASC;

/* Switching databases */

USE NAMES

/* Metaphone breakdown: */

SELECT Metaphone,

 COUNT(*)

FROM   names

GROUP BY Metaphone

ORDER BY Metaphone;

/* Show Metaphone breakdown of names containing ‘nat’.  Correlate with Metaphones

   of names containing ‘han’: */

SELECT *

FROM

 (SELECT Metaphone,

 COUNT(*) AS NATS

 FROM   names

 WHERE  LOWER(Name) LIKE ‘%nat%’

 GROUP BY Metaphone) AS NAT_TABLE

LEFT JOIN

 (SELECT Metaphone,

 COUNT(*) AS HANS

 FROM   names

 WHERE  LOWER(Name) LIKE ‘%han%’

 GROUP BY Metaphone) AS HAN_TABLE

ON NAT_TABLE.Metaphone = HAN_TABLE.Metaphone

ORDER BY 1;

/* Some of the names from matching rows above: */

SELECT *

FROM   names

WHERE  LOWER(Name) LIKE ‘%nat%’

AND  LOWER(Name) LIKE ‘%han%’

ORDER BY Metaphone, Name;

/* Calculate breakdown of all names with genders, and totals: */

SELECT N.Name,

       YGT.Gender,

       YGT.Year,

       NC.NameCount

FROM   names AS N JOIN name_counts AS NC ON N.NameID = NC.FK_NameID

 JOIN year_gender_totals AS YGT ON NC.FK_YearGenderTotalID = YGT.YearGenderTotalID

ORDER BY N.NameID, YGT.Year, YGT.Gender;

/*  Use this query in a Common Table Expresion (CTE).  Omit ORDER BY clause: */

WITH MyNameQuery AS

 (  

 SELECT N.Name,

             YGT.Gender,

             YGT.Year,

             NC.NameCount

 FROM   names AS N JOIN name_counts AS NC ON N.NameID = NC.FK_NameID

 JOIN year_gender_totals AS YGT ON NC.FK_YearGenderTotalID = YGT.YearGenderTotalID

 )

SELECT *

FROM   MyNameQuery

WHERE  MyNameQuery.Year = 1967

ORDER BY Name, Year, Gender;

/* Join two versions of this CTE together */

WITH MyNameQuery AS

 (  

 SELECT N.Name,

             YGT.Gender,

             YGT.Year,

             NC.NameCount

 FROM   names AS N JOIN name_counts AS NC ON N.NameID = NC.FK_NameID

 JOIN year_gender_totals AS YGT ON NC.FK_YearGenderTotalID = YGT.YearGenderTotalID

 )

SELECT A.Name,

       A.Year,

       A.Gender AS MALE,

        A.NameCount,

        B.Gender AS FEMALE,

        B.NameCount

FROM   MyNameQuery AS A JOIN MyNameQuery AS B ON A.Name = B.Name

 AND A.Year = B.Year

WHERE  A.Gender = ‘M’

AND    B.Gender = ‘F’

ORDER BY A.Year, A.Name;

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

question 4

 

Your software company was invited to provide a proposal for a company in Australia. You currently have the cost in US dollars and need to convert the prices to the Australian dollar. 

Write a 2-part program using Ruby, Java®, or Python. 

Part 1: Write a function to gather the following costs from the user:

  • Travel Cost: $9,800
  • Hotel Cost: $3,500
  • Rental Car Cost: $1,600
  • Labor Cost: $15,500 

Part 2: Write a function to convert the costs from United States dollar (USD) to Australian dollar (AUD). Note: Look up the current USD to AUD exchange rate to use in your function. 

Test the program 3 times by providing different costs in USD. 

Provide the code and take a screenshot of the output, then paste the screenshot(s) into a Microsoft® Word document. 

Write a half-page response in the same Microsoft® Word document to address the following:

  • Provide a manual for the user explaining how to use the program.
  • Explain what type of user input validations you should have. What happens if the user enters a negative number?  What happens if the user puts a $ in the input? 

Review the readings for this week from Ruby on Rails Tutorial or the Pluralsight videos if you have additional questions on deploying Ruby applications. 

Submit your document.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

ANNOTATED BIBLIOGRAPHY

Students are to select ONE emerging technology innovation as the topic of their annotated bibliography. You may choose to use the same topic for your infographic if you wish. 

LIST:Artificial intelligence

  • Wearable devices
  • Organs-on-chips
  • Augmented reality (AR)/virtual reality (VR) 
  • Robotics
  • Drones (surveillance, delivery, personal and commercial)
  • Sensors (embedded, nanosensors, the Internet of Nanothings, etc.)
  • Internet of things (feedback devices; big data; smart sensors, cameras, software, databases, and massive data centers in a world-spanning information fabric)
  • Implantable nanochips
  • Smart houses
  • Contactless information sharing (e.g., QR Codes, NFC)
  • 3D printing
  • Home security/personal security
  • Next-generation batteries
  • Blockchain
  • Intelligent analytical mapping

You will also identify ONE question for inquiry as the primary focus of your selected emerging technology innovation topic.

  • Retail stores or online retail
  • Real estate
  • Electronics & technology
  • Food & beverage
  • Banking and finance
  • Publishing
  • Automotive
  • Health care and medical
  • Childcare
  • Cosmetics/beauty
  • Exercise and weight-loss
  • Transportation
  • Manufacturing
  • Pharmaceutical
  • Agriculture
  • Legal & politics
  • Environment and energy
  • Government
  • Service-oriented
  • Education/Training (K-12, college, online, corporate training, vocational training)
  • Social relations (e.g., online dating)
  • Public relations, marketing, advertising
  • Entertainment and leisure
  • Sports
  • Other industry/sector

The first paragraph of your Annotated Bibliography should present a brief overview of your topic and then introduce two questions you think are potentially interesting enough to answer with regards to this topic. Be sure to include a sentence or two explaining why you think these questions are interesting or useful to answer.

Each of the ten information source annotations are to include the following:

After your introductory paragraph, list out the ten information sources in alphabetical order

  • Citation formatted according to APA (6th edition) style
  • Annotation with full bibliographic information containing the following:
    • Summary of the article (or video/audio) that includes a description of the article or video. (Note: the summary must be paraphrased in your own words. Do not use direct quotes from the information source!)
    • Relevance of information source (How is the information source – article or video – directly relevant to your topic? Why did you choose this source? Support how this source is relevant.)
    • Accuracy and currency of information source (Is the information in the source accurate and up-to-date?)
    • Quality of the information (Is the information source objective and reliable? Does the author possess credentials or experiences that would provide authority on this topic?)

NOTE: Each annotation is at least 5-7 sentences in length.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Project Plans

 

After consideration of your proposal from Week 1, the WeLoveVideo, Inc. CIO is having a hard time envisioning how the project would be executed based on your recommendations. She has asked your company to develop a project plan in both waterfall and Agile so she can better understand the implications to her team.

Using Microsoft® Excel®, develop two milestone-level project plans: one using the waterfall and one using Agile SDLC. The milestones should demonstrate a clear understanding of the inputs and outputs for each phase of a project, based upon the SDLC applied. At minimum, there should be a clear milestone at the end of each project phase, and potentially milestones within phases where applicable. Ensure that each project plan incorporates comprehensive SDLC phases based on each SDLC type.

Submit your assignment.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Case Study 2

 

Read the Case Study and answer the “Discussion Points” in a clear but concise way. Be sure to reference all sources cited and use APA formatting throughout.

Refer to the Case Study Rubrics for more detailed criteria.

Minimum 2 Pages.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Choose Your Roadmap to Certification Part 1: Risk Management Framework (RMF)

In this assignment, students will review the risk management framework (RMF).

Provide  an overview of the framework in a visual graphic format of the six  steps in the process and provide a brief description of what happens in  each. Then, in 750-1,000 words, explain the following:

  1. The number of controls/sub-controls found in the framework
  2. The categories used in the risk-based approach
  3. Why today’s organizations should base security program strategy and decisions upon it
  4. The differences between risk management and enterprise risk management

Make  sure to reference academic or NIST official publications (most current  year available via the Internet) or other relevant sources published  within the last 5 years.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

IT security policy for handling user accounts

Using the guidelines provided in this week’s chapter (and other resources as needed), create a step-by-step IT security policy for handling user accounts/rights for a student who is leaving prematurely (drops, is expelled, and so on).

You will need to consider specialized student scenarios, such as a student who works as an assistant to a faculty member or as a lab assistant in a computer lab and may have access to resources most students do not.

Write your answer using a WORD document. Do your own work. Submit here. Note your Safe Assign score. Score must be less than 25 for full credit.

You have three attempts.

https://www.youtube.com/watch?v=i-HIXgjWd-E

Security Policies

Primary topics:

  • Recognizing the importance of security policies
  • Understanding the various policies and the rationale for them.
  • Knowing what elements go into good policies
  • Creating policies for network administration.

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

QS2

On ‘CLOUD COMPUTING’ topic, 

>write an abstract of 250 to 300 words.

>A 500-700 word, double spaced paper, written in APA format, showing sources and a bibliography

>20 t0 25 slide powerpoint presentation.

For more info to see the samples abstracts and papers go to: https://writing.wisc.edu/handbook/assignments/posterpresentations/

  •  

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

Blockchain for the protection of one of medical, financial, or educational records

 

Discuss in 500 words or more the use of blockchain for the protection of one of medical, financial, or educational records.

Cite your sources in-line and at the end. Provide a URL for your citations.  Write in essay format not in bulleted, numbered or other list format. Do not copy without providing proper attribution. Be aware of your Safeassign score. Over 30 is too high. Use quotes to indicate where you have used other’s words.  

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now

forensic examiner

Essay topic assignment: “The Role of the forensic examiner in the judicial system” 

Write a 1500 word document: singled spaced; 12 Arial font sizes; single space between lines; 1-inch borders; Header contains your name, report title, class session, and instructor; footer contains page number and due date  

Needs help with similar assignment?

We are available 24x7 to deliver the best services and assignment ready within 3-4 hours? Order a custom-written, plagiarism-free paper

Get Answer Over WhatsApp Order Paper Now