respond post

Base on the post, What can you add to their analysis? Do you think there is a better location for their business? What other factors may be of concern when this specific business chooses a location?

Please responded two post and each one at less a Paragraph for responded


 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

Leadership in Healthcare and The Quality of Patients Care Among Nurses

The purpose of this assignment is to demonstrate progress in compiling research and to indicate a methodology for organizing research sources.

Recommended: Before you begin, review chapters 4–6 in A Pocket Style Manual (APA).

Include the following in your annotated bibliography:

  • APA citations and annotations for three (3) sources you deem relevant to your problem statement (thesis).

For each source:

  • Cite the source in proper APA format. The citations should be organized in alphabetical order by author as in an APA References page.
  • Follow with a brief annotation that summarizes the source (approximately 3–5 sentences). You may quote from the source, but do not copy and paste from the abstract.
  • In 1 or 2 sentences, explain and evaluate the source’s relevance and significance to your research.
  • Use an academic tone and style.
 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

Python3 Course Removing Vocals: Code problem solving in Python

Problems

Problem 1: Removing Vocals

Listen to the wav file with vocals (love.wav) in your repository folder. (Note: You can play WAV files in Windows Media Player (Windows 10) or iTunes (macOS) after you download them. You’ll also find it convenient to play sounds from within Python itself.)

The function you write for this problem, remove_vocals will be able to take a sound object created from that file, and produce a new sound object that is the same as the original sound but with vocals removed. The header for this function is given below.

def remove_vocals(snd):

The remove_vocals function takes a sound object snd as a parameter, and creates and returns a new sound with vocals removed using the algorithm described below. The new sound has the same number of samples as snd. (Remember: The original sound, snd, should NOT be modified.)

The algorithm works as follows. Any given sample in snd contains two integer values, one for the left channel and one for the right. Call these values left and right. For each sample in snd, compute (left – right) / 2, and use this value for both the left and right channels of the corresponding sample in the new sound you are creating.

Here’s an example. Let’s say that snd contains the following three samples, each composed of two values:

  • (1010, 80)
  • (1500, -4200)
  • (-65, 28132)

Your program will produce a new sound consisting of the following three samples:

  • (465, 465)
  • (2850, 2850)
  • (-14098, -14098)

If you do the math, you’ll notice that the values in the third sample should have both been the fractional number -14098.5; but sample values must be integers. Make sure you use the “floor division” operator in (i.e. “//”) to produce an integer rather than a floating point number. Keep this in mind for all of the functions you write in this assignment.

Example Usage

Below is a short bit of Python code that shows how you could use the function you just wrote. This code is written assuming you are using the Python REPL, which you started while in your repository directory.

import sound_x000D_
import comp110_psa2_x000D_
_x000D_
love = sound.Sound("love.wav")_x000D_
love.play()_x000D_
love_no_vocals = comp110_psa2.remove_vocals(love)_x000D_
love.stop()_x000D_
love_no_vocals.play()

Why This Algorithm Works

For the curious, a brief explanation of the vocal-removal algorithm is in order. As you noticed from the algorithm, we are simply subtracting one channel from the other and then dividing by 2 (to keep the volume from getting too loud). So why does subtracting the right channel from the left channel magically remove vocals?

When music is recorded, it is sometimes the case that vocals are recorded by a single microphone, and that single vocal track is used for the vocals in both channels. The other instruments in the song are recorded by multiple microphones, so that they sound different in both channels. Subtracting one channel from the other takes away everything that is “in common” between those two channels which, if we’re lucky, means removing the vocals.

Of course, things rarely work so well. Try your vocal remover on this badly-behaved wav file (cartoon.wav). Sure, the vocals are gone, but so is the body of the music! Apparently some of the instruments were also recorded “centred,” so that they are removed along with the vocals when channels are subtracted. When you’re tired of that one, try this harmonized song (harmony.wav). Can you hear the difference once you remove the vocals? Part of the harmony is gone!

Grading remove_vocals

The remove_vocals function is worth <#points 7 pts>, broken down as follows.

  • Vocals correctly removed using specified algorithm. <#points 3 pts>
  • Effect works on all samples in sound. <#points 1 pts>
  • Original sound not modified. <#points 2 pts>
  • Correct docstring comment at beginning of function and appropriate comments in the body of the function. <#points 1 pt>

Problem 2: Fading In and Out

For this problem, you will be writing three functions that will produce fade-in and fade-out effects. As with Problem 1, these functions should not modify the original sound object: they should create a copy of that original, modify the copy, then return that copy.

Fade-in

Start this problem by implementing the fade_in function, whose function header is given below.

def fade_in(snd, fade_length):

This function takes a sound object and an integer indicating the number of samples to which the fade-in will be applied. For example, if fade_length is 88200, the fade-in should not affect any sample numbered 88200 or higher. (Reminder: The first sample in a sound is numbered 0.)

Before we discuss how to accomplish fade-in, let’s get acquainted with some fading-in. Listen to this monotonous sound of water bubbling (waver.wav). The volume is stable throughout. Now, with the call fade_in(water, 88200) (where water is a sound object loaded with the water sound), we get water with a short fade-in. Notice how the water linearly fades in over the first two seconds, then remains at maximum volume throughout. (88200 corresponds to two seconds, because we’re using sounds recorded at 44100 samples per second.) Finally, with the call fade_in(water, len(water)), we get water with a long fade-in. The fade-in is slowly and linearly applied over the entire duration of the sound, so that the maximum volume is reached only at the very last sample.

To apply a fade-in to a sound, we multiply successive samples by larger and larger fractional numbers between 0 and 1. Multiplying samples by 0 silences them, and multiplying by 1 (obviously) keeps them the same. Importantly, multiplying by a factor between 0 and 1 scales their volume by that factor.

Here’s an example. Assume fade_length is 4, meaning that I apply my fade-in over the first four samples (samples numbered 0 to 3). Both channels of those samples should be multiplied by the following factors to generate the fade-in:

Sample Number Multiply By...
0 0.0
1 0.25
2 0.5
3 0.75

3 | Do Not Modify the sample


Grading fade_in

The fade_in function is worth <#points 6 pts>, broken down as follows.

  • Correct fading in effect. <#points 2 pts>
  • Fading effect only for the specified number of samples. <#points 2 pts>
  • Original sound not modified. <#points 1 pts>
  • Correct docstring comment at beginning of function and appropriate comments in the function body. <#points 1 pt>

Fade-out

Now you will need to write a fade_out function, with header given below.

def fade_out(snd, fade_length):

This function again takes a sound object and an integer indicating the length of the fade. However, this time, the fade is a fade-out (from loud to quiet), and the fade-out begins fade_length samples from the end of the sound rather than from the beginning. For example, if fade_length is 88200 and the length of the sound is samp samples, the fade-out should only affect samples numbered samp-88200 up to samp-1.

Let’s use a raining sound to demonstrate (rain.wav). As with the water bubbling above, the volume is stable throughout. Now, with the call fade_out(rain, 88200) (where rain is a sound object loaded with the rain sound), we get rain with a short fade-out. The first few seconds of the rain are as before. Then two seconds before the end the fade-out starts, with the sound progressing toward zero volume. The final sample of the sound has value 0.

The multiplicative factors for fade_out are the same as for fade_in, but are applied in the reverse order. For example, if fade_length were 4, the channels of the fourth-last sample would be multiplied by 0.75, the channels of the third-last sample would be multiplied by 0.5, the channels of the second-last sample would be multiplied by 0.25, and the channels of the final sample in the sound would be multiplied by 0.0.

Grading fade_out

The fade_out function is worth <#points 6 pts>, broken down as follows.

  • Correct fading out effect. <#points 2 pts>
  • Fading effect only for the specified number of samples. <#points 2 pts>
  • Original sound not modified. <#points 1 pts>
  • Correct docstring comment at beginning of function and appropriate comments in the function body. <#points 1 pt>

Fade

For the last part of this problem, you will write a function named fade.

def fade(snd, fade_length):

This one combines both fading-in and fading-out. It applies a fade-in of fade_length samples to the beginning of the sound, and applies a fade-out of fade_length samples to the end of the sound. Don’t be concerned about what to do when the fades would overlap; don’t do anything special to try to recognize or fix this.

To avoid duplication of code, your implementation of fade must make calls to your fade_in and fade_out function.

Try out your fade on one more wav file (grace.wav). This one has a particularly abrupt beginning and end, which your fade function should be able to nicely finesse. This is a large file and can take a minute or two to process on a slow computer; test with smaller files first.

Grading fade

The fade function is worth <#points 4 pts>, broken down as follows.

  • Correct fading out effect. <#points 1 pt>
  • Fading effect only for the specified number of samples. <#points 1 pt>
  • Uses fade_in and fade_out functions to implement this function. <#points 1 pt>
  • Correct docstring comment at beginning of function and appropriate comments in the function body. <#points 1 pt>

Problem 3: Panning from Left to Right

In this problem, you will write a single function that creates a panning effect, where sound moves from the left speaker to the right speaker. As in the previous problems, the function in this part should not modify the sound object it is passed; it should create and return a new sound object.

def left_to_right(snd, pan_length):

This function takes a sound object and an integer indicating the number of samples to which the pan will be applied. For example, if pan_length is 88200, the pan should not affect any sample numbered 88200 or higher.

Let’s listen to what panning sounds like. Here’s an airplane sound (airplane.wave). The entire sound is centred, and does not move in the stereo field as you listen. Now, with the call left_to_right(airplane, len(airplane)) (where airplane is a sound object loaded with the airplane sound), we get this airplane panning from left to right sound. The sound starts completely at the left, then slowly moves to the right, reaching the extreme right by the final sample.

Getting a sound to move from left to right like this requires a fade-out on the left channel and a fade-in on the right channel.

Here’s an example. Assume pan_length is 4. The following table indicates the factors by which the channels of these samples should be multiplied:

Sample Number Multiply Left Channel By… Multiply Right Channel By…
0 0.75 0.0
1 0.5 0.25
2 0.25 0.5
3 0.0 0.75

3 | Do Not Modify the sample | Do Not Modify the sample


If you run left_to_right on only a prefix of a sound (i.e. you use a pan_length that is less than the length of snd), you’ll get strange (though expected) results. For example, if you pan the first 441000 samples of love.wav, you’ll hear it pan from left to right over the first ten seconds, then you’ll hear a click followed by the remainder of the song played in the centre.

To understand how this function works, it might help to think of changing the volume using two volume controls: one for the left channel and one for the right. To make the sound seem like it’s moving from left to right, you slowly lower the volume in the left ear and raise the volume in the right ear. There is no copying going on between the two channels. And for the record, this technique only works when corresponding samples of both channels are the same: experiment with this dog and lake sound (doglake.wav) to see what happens when channels contain different sounds.

Grading left_to_right

The left_to_right function is worth <#points 4 pts>, broken down as follows.

  • Correct panning effect. <#points 2 pts>
  • Panning effect only for the specified number of samples. <#points 1 pts>
  • Correct docstring comment at beginning of function and appropriate comments in the function body. <#points 1 pt>
 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

PSYC300 UMUC Facial Recognition Lab Report Assignment

  • Using the statistical results from the facial recognition statistical results analysis (from the Facial Recognition Statistical Data below), write a short lab report (2-3 pages) in APA style consisting of an Introduction, Method, Results, and Discussion, and include a References page. Write the mini lab report as if you were the researcher who conducted the experiment.
  • You can find more information about the study on the APA Online Psychology Laboratory website. This website can also be used as a reference for your report. Create a student account (or use your existing APA log-in credentials, if you have them) to see details on the facial recognition study.
  • You may use this article by Rehman and Herlitz (2007) as a reference in your report: Facial Recognition Article https://learn.umuc.edu/content/enforced/350222-006726-01-2192-OL4-7983/Sex%20and%20Facial%20Recognition%202%20(1).pdf
  • The grading rubric for this report: Mini Lab Grading Rubric is below.
  • Feel free to use the Research Report Template posted below.

Facial Recognition Statistical Data:

Males

Females

5

9

5

8

8

7

5

7

6

9

7

8

4

8

5

8

3

9

4

10

8

7

5

9

10

8

6

9

5

7

5

9

8

8

7

7

5

9

6

7

Mini Lab Grading Rubric

Points

introduction

10

methods

10

results

10

discussion

10

APA format

10

10 points

Introduction

10

  • describes relevant information from at least 1 appropriate reference and has a clearly stated hypothesis
  • generally well written with appropriate grammar, tense, and sentence structure
  • information presented clearly and concisely

10 points

Method

10

  • completely describes three elements of a methods section (participants, materials, and design/procedure including a description of the statistics used and test conducted)
  • appropriate grammar, tense, and sentence structure used
  • descriptions are clear and include all appropriate details (including the appropriate citation for where the test can be found)

10 points

Results

10

  • clearly describes data and main finding(s) in sufficient detail
  • uses at least one table or figure effectively to represent exact values and main effect
  • states results of descriptive and inferential statistics (including significance levels)

10 points

Discussion

10

  • provides overview of results
  • interprets results in light of the reference described in the introduction
  • restates hypothesis and includes conclusion(s) supported by the results
  • discusses the implications of the findings
  • discusses future research directions

10 points

APA Format

10

  • no more than 2 APA formatting errors throughout the report
 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

MGT 321 Saudi Electronic University Assign 3 SABIC Discussion

Please read the attachment and follow carefully the instructions.

  • Present the study report with clear Introduction and Conclusion including your own views.
  • Analyze your selected company with micro and macro environmental forces by using SWOT analysis.
  • Analyze the political, economic, cultural and legal challenges the company currently faces in any of the country it operates (select one country in which the company operates for this analysis).
 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

FIN 4438 Banking Institutions Regulation GAP Discussion Questions

The following are the subject areas for the three discussion questions.
1. Focus of GAP and Duration Gap and which is more inclusive.
2. Major types of funding for a commercial bank. According to Chapter 10 (P365-412)
3. Meeting Legal Reserve Requirements. According to Chapter 11(P413-448)

My teacher will give me three discussion questions in the exam, but he just gave us the main topics. You need to expand those questions and think about what questions he will give in the exam and answer them according to the following book.(min100 words each)

 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

Should We Worry About The Slowing Economy? Article Review

Introduction:

Important economic events impact U.S. society and beyond every day. Just a few

examples include, the minimum wage debate, health care costs, investing in the stock

market, foreign trade or finding employment. It is therefore important for each of us to

understand how the U.S. and world economies functions so we can make informed

decisions about our economic choices in the U.S.

Assignment:

1. You will begin by choosing, reading and annotating a detailed news article related to a

U.S. economic event which impacts U.S. economy in significant ways. The economic

event’s impact be at the local, state or national level.

2. Next, you will write a paper about the importance of the event described in the

article. Your paper should be four to five paragraphs in length and 12-point font and

single-spaced.

3. You will write a total of three papers based on four different current events each

semester.

Paper Format:

1. Introductory Paragraph – Summary (20 points): In your own words and not using first

person, type an introductory paragraph, which summarizes the article in six to eight

sentences.

 Include the article’s title, the author(s), the source (i.e., NY Times) and date

published.

 You may use a maximum of two quotes from the article in your summary.

2. Body Paragraphs – Importance (30 points): Type a minimum of two paragraphs

discussing why you chose the article and how it significantly impacts U.S. society. Each

paragraph should have a topic sentence and six to eight sentences long.

 Think about how the event effects U.S. society and its institutions.

 Explain why the event is important. In other words, answer the “So what?” and

“Why should I care?” questions about your event.

3. Concluding Paragraph – Reflection and 3 Questions (20 points): Your six to eight

sentence concluding paragraph is where you should evaluate the causes and effects of

the current event. You should also write three original and relevant questions about the

article you would like answered.

News Sources:

The articles must have been published no more than one week before the paper due

date. You are expected to see me if you need help choosing a trusted and in-depth news

source.

 Examples of quality news sources include, but are not limited to: The LA Times,

The NY Times, The Wall Street Journal, Newsela, The Washington Post and The

Economist.

 Do not use “Headline News” sources like CNN.com, BuzzFeed, Yahoo news,

which lack the necessary detail that will allow you to write a quality paper.

 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

UNIT 2 Introduction to UlKit

  1. LESSON 9
    • ● ReadLesson2.9-ControlsInActionPages221-238and/orwatchthe Lesson video.
    • ● CompletetheLab-BasicInteractions-Page239-240
      ○ Savethe“TwoButton”project
      ○ Take a screenshot of the completed exercise. Name this withyour first and last name.
    • ● CompletetheReviewQuestions-Page241

● Submitthe“TwoButton”projectandascreenshotoftheproject running. Put both files in one zip file. Name the zip file using your first and last name. Ex. GinnetteSerrano.zip

LESSON 10

  • ● ReadLesson2.10-AutoLayoutandStackViewsPages242-262
  • ● CompletetheLab-Calculatorapp-Page263-269○ Savethe“Calculator”project
    ○ Take a screenshot of the completed exercise. Name this withyour first and last name.
  • ● CompletetheReviewQuestions-Page270
  • ● Submitthe“Calculator”projectandascreenshotoftheprojectrunning.Put both files in one zip file. Name the zip file using your first and last name. Ex. GinnetteSerrano.zip
 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

Chinua Achebe’s Things Fall Apart Impact Of Colonization On Igbo Culture

Option #1: Research Based on Chinua Achebe’s Things Fall Apart

The Portfolio Project is designed to require you to expand your understanding of Things Fall Apart by combining knowledge and application of content with your own interpretation and judgment. For the Portfolio Project, you will write a research paper about Chinua Achebe’s Things Fall Apart, supplementing your own interpretation with information from three to five other sources. Your interpretation of this novel should reflect an international perspective.

Finally, you will take the research question that you are developing as the thesis of your Portfolio Project and contextualize it in such a way as to convey an international or multicultural understanding of the novel. For example, if you are developing a cultural analysis of the novel, you will need to answer, as a part of your research thesis, how one culture develops in direct competition against the emergence of another foreign culture. Or, if you are developing a feminist analysis, you will need to answer, as a part of your research question, how one culture’s treatment of women changes when confronted by another culture’s differing attitude toward women. Or, if you are doing a direct compare/contrast analysis, you will need to directly compare specific aspects of one culture against another culture.

In other words, any critical perspective from which you frame your thesis and overall paper needs to convey a sharper international or multicultural understanding of the novel and should be reflected in your outline and reference list.

THESIS STATEMENT:

Throughout the novel Things Fall Apart by Chinua Achebe, customs and traditions played a vital role in the fate of men, women and children. Although some of these traditions were questioned and criticized by some, Okonkwo believed and practiced the sacred customs. The colonization subjected the village to new customs, religion and laws. While some converted and supported the new changes quickly, others, like Okonkwo resisted. Some of the Igbo tribe, including Okonkwo, disliked the white man and colonization. However, as colonization threatens these customs and traditions, change seems inevitable.

 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.

HLT362V GCU What Is Statistics and Why It Is Important to Health Sciences?

Search the GCU Library and find two new health care articles that use quantitative research. Do not use articles from a previous assignment, or articles that appear in the Topic Materials or textbook.

Complete an article analysis for each using the “Article Analysis: Part 2” template.

Refer to the “Patient Preference and Satisfaction in Hospital-at-Home and Usual Hospital Care for COPD Exacerbations: Results of a Randomised Controlled Trial,” in conjunction with the “Article Analysis Example 2,” for an example of an article analysis.

While APA style is not required for the body of this assignment, solid academic writing is expected, and documentation of sources should be presented using APA formatting guidelines, which can be found in the APA Style Guide, located in the Student Success Center. This assignment uses a rubric.

Please review the rubric prior to beginning the assignment to become familiar with the expectations for successful completion.

You are required to submit this assignment to LopesWrite. Refer to the LopesWrite Technical Support articles for assistance

Attachments

HLT-362V-RS3-ArticleAnalysisExample-2.docx HLT-362V-RS3-ArticleAnalysis-2-Template.docx

 
Do you need a similar assignment done for you from scratch? We have qualified writers to help you. We assure you an A+ quality paper that is free from plagiarism. Order now for an Amazing Discount!
Use Discount Code "Newclient" for a 15% Discount!

NB: We do not resell papers. Upon ordering, we do an original paper exclusively for you.