all of the following are examples of performance nonfunctional requirements except: question 34 options: any interaction between the user and the system should not exceed two seconds the system downloads new status parameters within 5 minutes of a change the system should be available for use 24 hours per day; 365 days per year technicians can see only their own work assignments

Answers

Answer 1

The correct answer is "technicians can see only their own work assignments".

Non-functional requirements are those that specify the non-functional characteristics of a software system. These characteristics are not necessarily related to the system's output, but they are essential to its operation. Non-functional requirements may be associated with usability, reliability, performance, or security. These requirements are often used to specify the quality attributes of a system. Performance non-functional requirements are non-functional requirements that define how a system should behave in response to certain situations or stimuli.

In the given options, all are performance non-functional requirements except for "technicians can see only their own work assignments" because it specifies a functional requirement. The rest of the options such as "any interaction between the user and the system should not exceed two seconds", "the system downloads new status parameters within 5 minutes of a change", and "the system should be available for use 24 hours per day; 365 days per year" are performance non-functional requirements.

Learn more about software system

https://brainly.com/question/13738259

#SPJ11


Related Questions

______ is a condition in which one or more drives in a Raid array contains data errors, and another drive in the array is no longer an active member of the array due to drive failure, foreign configuration, drive removal, or any other reason.

1. Double fault.

2. Foreign Configuration.

3. Foreign Disks

4. Predictive Drive Failure.

5 None of these.

Answers

The term that best describes the condition in which one or more drives in a RAID array contains data errors, and another drive in the array is no longer an active member of the array due to drive failure,

foreign configuration, drive removal, or any other reason is "Foreign Configuration." In this scenario, the RAID controller recognizes the presence of the foreign configuration and marks the disk as "Foreign Disks." This indicates that the disk is not part of the current array configuration and requires administrator intervention to either remove the disk or incorporate it into the array. The term "Double Fault" is used to describe a different type of RAID failure, where two drives in the array fail simultaneously, leading to data loss. "Predictive Drive Failure" is a feature of some RAID systems that alerts the administrator to a potential drive failure before it happens.

To learn more about describes click on the link below:

brainly.com/question/31535815

#SPJ11

Gemima has converted her table to a clustered column
chart. She now wants to add a title.
What should Gemima do first?
Select the table.
What should Gemima do next?
What should Gemima do last?
Use Ctrl+A
Use Ctrl+C
Use Ctrl+V.

Answers

Answer:

1. Select the table

2. use Ctrl A

3. type the title

Answer: select the table,Crtl+a,Type the title

Explanation:

Gemima has converted her table to a clustered columnchart. She now wants to add a title.What should Gemima

How can you check if a log file has been initialized?

Answers

To check if a log file has been initialized, you can look for the file in the specified directory or location.


To check if a log file has been initialized, follow these steps:

1. Locate the log file: Identify the location of the log file on your system. This can be in a default directory or a custom location specified by the application or system.

2. Access the log file: Open the log file using a text editor or log viewer tool. This could be Notepad, Notepad++, or any other similar application.

3. Inspect the log file content: Look for entries within the log file that indicate initialization or startup messages. These messages may contain terms like "Initialization", "Startup", "Log started", or similar phrases, depending on the application or system generating the log.

By following these steps, you can check if a log file has been initialized.

To learn more about log file visit : https://brainly.com/question/29427846

#SPJ11

Write a code in python that guesses a hardcoded answer and keeps on asking the user until the user gets the answer correct. The cmputer should be telling the user if the number they are guessing is too low or too high.

Answers

import random

#You can change the range.

answer = random.randint(1,1000)

counter = 0

while(True):

   guess = int(input("Make a guess: "))

   message = "Too high!" if guess>answer else "Too low!" if guess<answer else "You won!"

   print(message)

   if(message=="You won!"):

       print("It took",counter,"times.")

       break

   else:

       counter+=1

Write a code in python that guesses a hardcoded answer and keeps on asking the user until the user gets

java is considered an object-oriented language with features from which other paradigm?

Answers

Java is considered an object-oriented language with features borrowed from the procedural programming paradigm.

While Java is primarily known as an object-oriented language, it also incorporates elements and features from the procedural programming paradigm. Procedural programming focuses on writing procedures or functions that operate on data. In Java, this can be seen in the form of methods that are defined outside of any class, known as static methods. These methods can be invoked without the need for creating an object instance. Java's inclusion of procedural features allows developers to write code in a procedural style when needed, providing flexibility and the ability to mix procedural and object-oriented approaches. Procedural programming is especially useful for writing utility functions or performing operations that do not require the use of objects or complex object hierarchies. By combining elements of both object-oriented and procedural paradigms, Java offers a versatile programming language that can be used to build both object-oriented systems and procedural-style programs. This flexibility contributes to Java's widespread use in a variety of domains and applications.

learn more about JAVA here:

https://brainly.com/question/12978370

#SPJ11

Why we use Social media. Spport your answer with logical reason

Answers

Through social media platforms like Facebiook, Twititer, and Insttagram, we can share updates, photos, and videos with our loved ones, no matter where they are in the world. Social media also provides a platform for networking and professional development.

We use social media for various reasons. One reason is that it allows us to connect with others and stay in touch with friends, family, and colleagues. LinnkedIn, for example, allows professionals to connect with others in their field, share expertise, and discover job opportunities.

Another reason for using social media is its ability to provide information and entertainment. We can follow news outlets, blogs, and influencers to stay informed and engaged. Additionally, social media enables us to join communities of like-minded individuals and participate in discussions on various topics. Overall, social media offers a convenient and accessible way to connect, learn, and be entertained.

To know more about social media platforms visit :-

https://brainly.com/question/32908918

#SPJ11

write a loop to print all elements in hourly temperature. separate elements with a -> surrounded by write a loop to print all elements in hourly temperature. separate elements with a -> surrounded by spaces..

Answers

To print all elements in hourly temperature with an arrow separator, we can use a loop.

The loop will iterate over the elements in the list and print each element followed by an arrow separator, except for the last element which will not have an arrow separator.

Here's an example code in Python:

hourly_temperature = [21, 22, 23, 24, 25, 26, 27]

for temp in hourly_temperature:

   if temp != hourly_temperature[-1]:

       print(temp, "-> ", end="")

   else:

       print(temp)

This loop iterates over each element in the hourly_temperature list and checks whether it is the last element or not. If it is not the last element, it prints the temperature followed by the arrow separator ->. If it is the last element, it prints only the temperature.

The end parameter in the print function is used to specify what character(s) should be printed at the end of each print statement. By default, print adds a newline character (\n) at the end of each statement. In this example, we set end to an empty string ("") when we print the arrow separator so that it is not followed by a newline character.

This loop will output the following:

21 -> 22 -> 23 -> 24 -> 25 -> 26 -> 27

In conclusion, using a loop to print all elements in hourly temperature separated by an arrow symbol can be achieved by iterating over the elements and checking if the current element is the last element or not.

To learn more about loops visit:

https://brainly.com/question/14390367

#SPJ11

The statement that radio became a companion medium, means which of the following?
a. Radios and televisions were being sold together as a package deal.
b. Radio became less focused.
c. Radio tried to be all things to all people.
d. became the medium listened to while doing something else.

Answers

The statement "radio became a companion medium" means that it became the medium listened to while doing something else, so the answer is D.

"Companion medium" refers to a medium that is consumed alongside other activities, such as driving, working, or doing household chores. In the case of radio, people would listen to it while engaging in these activities. This shift occurred as television emerged as a more focused medium that demanded people's undivided attention. Radio, in response, adjusted its programming to cater to listeners who were multitasking. Therefore, radio became a companion medium and remains so to this day.

Learn more about "Companion medium here:

https://brainly.com/question/28275198

#SPJ11

How has technology influenced photography? Would an image like this have been possible 100 years ago?

Answers

Answer:

Digital technology has changed the role of photography in society in many ways. Technology has advanced so much that photographs can be captured anywhere and anytime. Photos can be now sent to another person through text messages, shared online on emails, internal hard drives, and save onto usb's and memory cards.

Explanation:

you don't have a picture

4. Define star topdogy &. With a suitable diagram.

Answers

Every device on the network is separately connected to the switch or hub, which is the center node, in a network structure known as a star topology. This topology gets its name from the way it appears visually, which is similar to a star.

A star network is a local area network (LAN) topology in which every node, such as a PC, workstation, or other device, is directly connected to a single shared hub computer. As a result, a star network is sometimes referred to as having a hub-and-spoke structure.

The diagram of star topology is attached below.

Learn more about star topology, here:

https://brainly.com/question/32256320

#SPJ1

4. Define star topdogy &amp;. With a suitable diagram.

Every device on the network is separately connected to the switch or hub, which is the central node, in a network topology known as a star topology.

Thus, This topology gets its name from the way it appears visually, which is similar to a star.

Star and bus topologies are frequently combined to create a structure known as a tree. This happens when the bus topology's backbone is connected to the star topology's switch.

Network topology diagrams are used to describe a network's connections and devices visually, enabling you to visualize how devices communicate with one another.

Thus, Every device on the network is separately connected to the switch or hub, which is the central node, in a network topology known as a star topology.

Learn more about Topology, refer to the link:

https://brainly.com/question/10536701

#SPJ1

When we dealt with Fibonacci sequence in our class, we used two different approaches: Recursion and Dynamic Programming. What improvement can be achieved when we use Dynamic Programming to solve the Fibonacci?

Answers

Answer: Dynamic Programming improves the time complexity of the Fibonacci sequence by reducing the number of computations required to calculate the sequence.

The Fibonacci sequence is a sequence of numbers in which each number is the sum of the two preceding numbers. The sequence starts with 0 and 1 and continues with 1, 2, 3, 5, 8, 13, 21, 34, and so on. In Fibonacci series, the first two numbers are always 0 and 1, and each subsequent number is the sum of the previous two.

Dynamic programming is a technique that divides a complex problem into subproblems, solves each subproblem only once, and stores its solution to reduce computation time. The time complexity of the Fibonacci sequence can be improved by reducing the number of computations required to calculate the sequence using Dynamic Programming.

When calculating the Fibonacci sequence using recursion, we often repeat calculations for the same numbers, which can be time-consuming.

In Dynamic Programming, we solve each subproblem only once and store the result in a table, reducing the number of computations required. This results in a more efficient solution to the Fibonacci sequence problem and improves the time complexity of the algorithm.

Know more about Programming here:

https://brainly.com/question/31473561

#SPJ11

After the computer process the data, the result is first save in

Answers

Answer:

Answer

Saved In Computer

Which file attribute identifies the file as having been modified since the last backup?.

Answers

Archive File Definition

The meaning of the word Archive in the Online Computer Dictionary is used to make a copy of a backup file with the aim of protecting the original copy from damage.

How to Archive Files Into 1 File

If you want to send a large number of files, you can make the file into 1 archive file format with .zip, .tar, or .rar format first.  This method is also quite easy and fast.

First, make sure your computer has programs such as winzip, winrar.  This program is needed to archive files.

Second, you can select the file you want to archive, then right-click on the file.  The example below shows 2 files to be archived

The third step, you can directly select Add to “folder name.rar” to directly create archive files automatically.  If you want to do some settings, it can be done by selecting the Add to archive option. The Add to archive option allows you to choose the save format of the file, divide or create the archive into several parts (part 1, part 2, etc.), to create a password.  With the password, before the file can be extracted, it is necessary to enter the password first.

In addition to files, you can also archive folders directly along with the contents of the files in it.  Keep in mind, how fast the process of archiving this file will depend on how many or large files to be archived.

Learn more about archive files athttps://brainly.com/question/15355917.

#SPJ4

A text-editing application uses binary sequences to represent each of 200 different characters. What is the minimum number of bits needed to assign a unique bit sequence to each of the possible characters

Answers

The minimum number of bits that one needs to give a unique bit sequence to each of the possible characters is 8.

What are binary sequences?

A binary sequence is known to be also called a bitstream. This is regarded as is a string of ones and zeros.

The information in storage which can be in form of text message, a photograph, a song, a computer program, etc. may looks the same, like in a form or sequence of bits.

See options below

4

6

7

8

Learn more about bits from

https://brainly.com/question/19667078

what is pi to the nine quantilinth digit?

Answers

Answer:

Explanation:

As you can see, the 99th decimal of Pi is 7. However, Pi starts with 3 which is also a digit. Thus, if you start at 3, then the ninety-ninth digit of Pi is 6. First 99 digits of Pi: The Pi number above gives you "3." followed by 99 digits after the decimal point.

The value of pi to the nine quantilinth digit is 0 or 9.

We are given that;

The nine quantilinth digit

Now,

A quintillionth is one of a quintillion equal parts of a whole2. A quintillion is a very large number: it is 1018 in the short scale (used in the US, Canada and Australia) or 1030 in the long scale (used in most other countries).

The quintillionth digit of pi depends on which scale you use. In the short scale, it is 0. In the long scale, it is 9.

Therefore, by quintillionth the answer will be 0 or 9.

To learn more about quintillionth visit;

https://brainly.com/question/33715649

#SPJ6

Internet search criteria can be refined by using ____.

• complete sentences
• Boolean operators
• alphabetized lists
• small words

Answers

Try : Boolean operators

Please create a new java package and class file for each problem. 1. Given the current array of numbers - [0,2,85,71,44,6,8,54,5,21], find the largest and smallest value in the unsorted array. 2. Given the current array of integers - [235,21,5,6,21,22,5,6,1,2,3], check if the array contains either 3 or 6. 3. Create an array which contains 20 integer values. Assign a ramdom value for each array element using a for loop . Find all duplicate interger values in an array

Answers

Answer:

¿Cómo se crear un objeto de una determinada clase en Java?

Para crear un objeto de una clase se usa la palabra reservada new. Por ejemplo, Rectangulo rect1=new Rectangulo(10, 20, 40, 80); new reserva espacio en memoria para los miembros dato y devuelve una referencia que se guarda en la variable rect1 del tipo Rectangulo que denominamos ahora objeto.

Explanation:

¿Cómo pasar un objeto de una clase a otra en Java?

Para clasificar un método de otra clase, necesitamos tener el objeto de esa clase. Aquí, tenemos una clase “Student” que tiene un método getName() . Accedemos a este método desde la segunda clase SimpleTesting usando el objeto de la clase Student

Describe some things that this person might say that might cause you to NOT hire them. Explain.

Answers

Answer:

If they don't sound positive or give an attitude towards me, then I would not hire them.

PLEASE HELP!! Which of the following computing devices would best address the needs for a CYBER SECURITY ANALYST?

PLEASE HELP!! Which of the following computing devices would best address the needs for a CYBER SECURITY

Answers

Answer:high end laptop.

Explanation:

The computer system ____ a file by activating the appropriate secondary storage device and loading the file into memory while updating its records of who is using that file.

Answers

Answer:

allocates

Explanation:

The character type described as exceptionally stingy, orderly, and obstinate is the?

Answers

The character type described as exceptionally stingy, orderly, and obstinate is the miser. In conclusion, the character type that matches the description given is the miser.

A miser is someone who hoards money and possessions, often to the point of extreme frugality. They are known for their reluctance to spend money and their obsession with saving every penny.

This character type is commonly found in literature and other forms of storytelling, where they serve as a source of conflict and often undergo personal growth throughout the story.

To know more about stingy visit:

https://brainly.com/question/32937955

#SPJ11

Who invented the television and what year did color come out? Explain​

Answers

The television was not invented by a single person, but its development involved contributions from several inventors and engineers.

How is this so?

Philo Farnsworth is often credited as one of the key inventors of television, as he successfully demonstrated the first working electronic television system in 1927.

As for color television, it was first introduced commercially in the United States in 1953 by RCA.

The introduction of color television marked a significant milestone in broadcasting, enhancing the viewing experience for audiences worldwide.

Learn more about television at:

https://brainly.com/question/12079773

#SPJ1

What are the features of having hd (high definition)

Answers

Firstly, the visual aspect of HD is the most noticeable feature. HD displays offer much higher resolution than standard definition displays, which means that images and videos appear sharper, clearer, and more detailed. This is because HD displays have more pixels per inch, which allows for finer details to be visible. This can be particularly beneficial for viewing things like movies, sports events, and video games, where details like facial expressions or game scores can be important.

In addition to better resolution, HD also typically offers better color accuracy and contrast. Colors appear more vibrant and true-to-life, and dark areas of the image are better defined, which can add depth and dimension to the picture. This can be especially important for things like nature documentaries or sports broadcasts, where color accuracy and contrast can make a big difference in the viewer's experience. Another feature of HD is improved sound quality. Many HD displays come with built-in speakers or have the ability to connect to external speakers, which can provide a more immersive audio experience. This is particularly important for things like movies or music videos, where the sound can be just as important as the visuals.

Finally, HD often comes with other features like HDMI ports, which allow for easy connectivity to other devices like game consoles, DVD players, or streaming services. This can make it easier to enjoy your favorite content on your HD display without needing to switch between different devices or cables. In summary, the features of having HD include higher resolution, improved color accuracy and contrast, better sound quality, and additional connectivity options. While these features can vary depending on the specific display or device, overall, HD can offer a more immersive and enjoyable viewing experience.

To know more about HD displays visit:-

https://brainly.com/question/28147690

#SPJ11

What are the major development that took place in the fourth generation of computer

Answers

Answer:

I'm going to assume they're talking about VLSI circuits. It allowed more transistors and circuits on a single chip. Made computers better in every way.

Answer:

Computers of fourth generation used Very Large Scale Integrated (VLSI) circuits. VLSI circuits having about 5000 transistors and other circuit elements with their associated circuits on a single chip made it possible to have microcomputers of fourth generation.

PLS MARK ME BRAINLIEST

Explanation:

Do you ever wonder what types of media you will be using five years from now or when you graduate from college or a training program? How do you believe you will use digital media in your life?

For this assessment, you will create a concept map. A concept map is a graphic representation of a broad base of ideas or events. You will put yourself in the center of the concept map and have at least five branches from the center that show five different ways that you will use digital media. Below your concept map, explain each different way in detail. Use your imagination to describe why you believe that you will use digital media in these ways in the future. Remember that technology changes quickly and so does digital media. Keep in mind what we have discussed in this lesson.

You will include:

a concept map showing your future uses for digital media (at least five)
an explanation of each use
a description of the use

Upload your concept map that provides a detailed explanation of five different ways you will experience digital media in the future.

Answers

The  example of a concept map and the explanations for the uses of digital media.

Concept Map:

[You in the Center]

   Entertainment    Communication    Education    Information    Work

What is the training program?

Entertainment - I believe I will continue to use digital media for entertainment purposes such as watching movies, TV shows, and playing video games. With advancements in technology, I expect the quality and accessibility of digital entertainment to improve. Streaming services like Netflix and Hulu already offer an extensive library of content, and I believe this trend will continue to grow.

   Education - As someone who is currently in college, I have already seen how digital media can enhance the learning experience. I expect to continue using digital media for educational purposes, such as online courses, e-books, and educational apps. With the rise of artificial intelligence and machine learning, I also believe that digital media will play an increasingly important role in personalized learning.

Lastly, Work - With the growth of the digital economy, I expect to use digital media extensively for work-related purposes. This could include remote work, virtual meetings, and digital collaboration tools. I also expect to use digital media for job searching and career development, as well as for networking with other professionals.

Learn more about training program from

https://brainly.com/question/29926440

#SPJ1

Answer:

                                                 Concept Map

EntertainmentCommunicationEducationInformationWork

Entertainment - I believe digital media will remain a popular source of entertainment due to its convenience and accessibility. Streaming services like Netflix and online gaming have revolutionized how we consume entertainment, and advancements in technology will only improve the quality and accessibility of digital entertainment. Virtual and augmented reality may offer new ways to experience entertainment, making it an exciting time for digital media.

Communication - Digital media is transforming communication, and its impact will continue to be felt in the future. Potential future uses include virtual and augmented reality for immersive experiences in remote meetings, training, and customer experiences; artificial intelligence to automate tasks like scheduling and emails; voice assistants for easier control of devices and communication with colleagues; and new social media platforms designed for professional networking and collaboration. Collaborative tools like Slack and Microsoft Teams may become even more sophisticated, allowing seamless communication and collaboration. Overall, digital media is vital for efficient work, effective collaboration, and accessing new growth opportunities.

Education - Digital media has transformed the education landscape by making learning materials more accessible through online courses, e-books, and educational apps. It has also enabled new avenues for collaboration and engagement through online discussion forums and video conferencing tools. With the rise of artificial intelligence and machine learning, digital media is expected to play a significant role in personalized learning by analyzing individual student data and providing tailored recommendations for improving learning outcomes. Overall, these advancements will continue to enhance the way we learn and teach, making it more effective and efficient for students.

Information - Digital media is set to revolutionize how we access and interact with information. Personalized content based on users' preferences and browsing history could be delivered through digital media, thanks to advancements in artificial intelligence. Digital media can also create virtual libraries and museums that allow users to access rare and historical collections from anywhere in the world. Interactive learning experiences that incorporate gamification and augmented reality can be created. Additionally, digital media can create compelling visual representations of complex data sets to make information analysis and understanding easier. Real-time updates on news and events worldwide can also be enabled through digital media, keeping users informed and connected at all times.

Work - The digital economy is rapidly expanding, and digital media will become increasingly important in our work lives. Advancements in technology will make remote work and virtual collaboration more seamless and efficient. Virtual and augmented reality technologies have the potential to revolutionize collaboration, while chatbots and virtual assistants will automate tasks. Digital media will also play a significant role in career development and networking. Online learning platforms enable individuals to learn new skills and advance their careers. More personalized learning platforms will help individuals upskill and stay competitive in the job market. Digital media will shape the way we work and do business, enabling us to work more efficiently, collaborate more effectively, and access new opportunities for career growth and development. As a digital assistant, I am excited to see how technology will continue to advance and transform the way we work.

Which of the following asks users to write lines of code to answer questions against a database?
A. Structured query language
B. Relational query language
C. Structured elements
D. Data mining tools

Answers

Structured query language (SQL) asks users to write lines of code to answer questions against a database.

SQL is a standard programming language used to manage and manipulate relational databases. It allows users to perform operations such as inserting, updating, deleting, and querying data stored in a database. SQL is used to retrieve data from a database by writing lines of code to answer specific questions. Users can use SQL to retrieve data based on various criteria such as specific values, ranges, patterns, and combinations of conditions. SQL also supports aggregate functions such as sum, average, count, and maximum/minimum, which allow users to perform calculations on data in a database.

Relational query language (RQL) is not a standard programming language but a specific implementation of SQL. It is used to manipulate data in relational databases, which are databases that store data in tables with predefined relationships between them. Structured elements and data mining tools are not related to SQL or database management but refer to other concepts in computer science. Therefore, the correct answer is A, structured query language (SQL).

To learn more about functions click here, brainly.com/question/31062578

#SPJ11

content from other sources can be embedded into it linked to a photoshop document from another source

Answers

Answer:

PLEASE MARK MY ANSWER BRAINLIEST

Explanation:

Create embedded Smart Objects

(Photoshop) Choose File > Place Embedded to import files as Smart Objects into an open Photoshop document.

Choose File > Open As Smart Object, select a file, and click Open.

(Photoshop CS6) Choose File> Place to import files as Smart Objects into an open Photoshop document.

___________ is the number of pixels per inch

Answers

Answer:

Explanation:

What ever the number is inches is divide it by pixels

design brief of a car​

Answers

The design brief of a car is given as follows.

Design Brief-   Car

Objective  - Design a modern, efficient, and aesthetically pleasing car that meets the needs of urban commuters.

Key Features  -

1. Fuel-efficient engine with low emissions.

2. Compact size for easy maneuverability and parking in congested areas.

3. Advanced safety features including collision detection and automatic braking.

4. Comfortable seating for four passengers and ample storage space.

5. Intuitive infotainment system with smartphone integration.

6. Sleek and stylish exterior design.

Target Audience: Urban professionals and families seeking a practical and eco-friendly mode of transportation.

Learn more about design brief at:

https://brainly.com/question/21422013

#SPJ1

make a story that ends in ´ I have never found such a kind person ever since´​

Answers

My dog went missing October 16 and I spent hours looking for him that day. I was beginning to think that I would never find him, but then I ran into a guy named Bryce. Bryce went home and printed missing dog posters for me and 3 days later I found my dog. Bryce was a stranger who became my bestfriend, and I have never found such a kind person ever since.


Lol I know this isn’t that good , but you can change it up or add stuff.
Other Questions
How do you think accounting irregularities affect the pricing of corporate stock in general? From an investors viewpoint how do you think the information used to price stocks changes in responding to accounting irregularities? spring company uses activity-based costing to allocate their overhead costs. setup costs of $100,000 are based on number of setups. factory services of $65,000 are based on square footage. spring company has identified 500 setups and has 10,000 square feet in their factory. what is the activity rate for the setup activity cost pool. multiple choice question. $6.50 $330.00 $200.00 $16.50 the calibration is to the 2ml so we do not estinate another digit what is the volume of the liquid in the cylinder Scenario: You have just been hired as an account executive for Sony Corp. in the Video/Monitor/Electronics division. Your territory is from San Fransisco to San Diego. You have completed a training course with Sony, which covered the Back Wheel skills associated with Sony. You are now aware of your product's features/benefits, company history, warranties, and your competition. Your company has provided you with a manual, price list, a referral list of previously sold large accounts, brochures, and service records. You have not been trained on sales skills by Sony because you were hired as an experienced salesperson having had this course.Situation: In reviewing your new job with a former fellow student of the college, you discover that the college district is in need of new electronic projection equipment. This is the type of account you are to cover and generate new business from. Your records indicate your territory is servicing San Fransico Community College for the same equipment. In reviewing sales records you find in the notes that NEC, EPSON, and SONY competed for the business in Modesto and SONY was awarded the contract. You have made a call to a former professor who referred you to the purchasing director of the College District. You have learned the director himself is a direct communication style with a supportive communication style administrative assistant. The decision on this equipment is to be made in one week and NEC has already presented its proposal. You do not know the actual prices but records show NEC generally will come in with a higher bid price than Sony but offered 4K in San Fransico.How are you going to get the appointment?What other information do you need and how will you get it?What mental discussions you would have with yourself over the decisions you will need to make? A(n) ______ is a written guideline that helps determine whether a specification is ethical/unethical or allowed/not allowed.Answers:a. electronic profileb. EULAc. code of conductd. IP critics of the world trade organization . charge that it gives too much money to environmental causes complain that it frequently worsens environmental problems discriminates against developing nations say that the international taxes that it regulates are burdensome to smaller countries charge that the wto's subsidy policies unfairly target poor people Echocardiography (ECHO) is BEST described by which of the following statements?a.Dye is injected into the blood and x-rays are taken of the heart.b.Catheter is positioned in a vein and guided into the heart.c.A stress test of cardiac function is performed.d.High-frequency sound waves are transmitted into the chest.e.Electricity is measured as it flows through the heart. a piece of land is roughly in the shape of a circle of diameter 200m,find area if pi is 3 The graph of f(x) = 2x is shown on the grid. The graph of g(x) = (1/2)x is the graph of f(x) = 2x reflected over the y-axis. Which graph represents g(x)? ABC Ltd, estimates demand for 5000 units of material during the next year. The costs associated with requisitioning the order, transportation, receiving of order and inspection are Rs. 200 per order. Storing cost is Rs. 30 per unit and cost of material handling and insurance is Rs. 20 per unit. ABC Ltd. has a policy of maintaining 20 percent of E0Q as safety stock. The daily usage of material is 30 units and lead time is 5 days. Determine units of EOQ, safety stock,and reorder point. In Windows Firewall Allowed apps which of the choices is NOT possible? Allow Private, Allow Port, Allow Public Which of the following measures did the Fed use in addition to the creation of the short-term emergency lending facilities in order to inject liquidity into financial markets? O Required reserve ratio O Quantitative easing O Secondary credit O Primary credit describe the direction in which the wire could be moved to produce the maximum potential difference across it ends, r and s a. Please name and explain the three industries (not companies) in which a cost leadership strategy would be difficult to implement?b. Name three examples of companies conducting a cost leadership strategy that use no advertising. Should they start advertising? Why or why not? how do the nucleus and ribosomes work together to generate a protein? a specific gene breaks away from the dna and exits the nucleus, allowing the ribosomes to use the gene as instructions to synthesize a protein. in the nucleus, an mrna copy of a gene is produced, which ribosomes use as instructions to synthesize a specific protein. ribosomes migrate into the nucleus, attach to a gene in the dna, and use the gene as a transcript to synthesize a specific protein. ribosomes produce mrna that migrates into the nucleus and uses a gene in the dna as instructions to synthesize a specific protein. I think the real concern is a loss of control. And presenting this as a push-back against Western culture is a way of talking about control that doesn't have to use those words. Jeremy Goldkorn According to Goldkorn, the Chinese government is limiting Western influence primarily to:_.a. maintain its hold on Chinese citizens. b. slow down the process of globalization. c. control the flow of foreign trade in China. d. stop the Chinese culture from being erased. ______ risk is the potential threat to a firm's operations in a country due to ineffectiveness of the domestic governmental system. a 29-year-old woman has been prescribed alosetron (lotronex) for irritable bowel syndrome. before starting the drug therapy, the nurse will advise the client about which adverse effect(s)? i which organ of the body would you find the zonule of zinn? 2. (10 points) Use elementary Tow operations and properties of triangular matrices to com- pute the determinant of A =2 1 2 -5 -4 -1-4 2 3