To read signs you need good focal vision

Answers

Answer 1

Answer:eyesight

Explanation:

Answer 2
Answer: This is true

Related Questions

Part A

Determine the force in members CD of the truss, and state if the member is in tension or compression. Take P = 1570lb

FCD =

Part B

Determine the force in members HI of the truss, and state if the member is in tension or compression. Take P = 1570lb .

FHI =

Part C

Determine the force in members CJ of the truss, and state if the member is in tension or compression. Take P = 1570lb .

FCJ =

Answers

The tension or compression of F CD = 3375 lb (G), F HI = 5625 lb (G), F CJ = 6750 lb (G)

Latin roots for the verb "to stretch" give us the word "tension." testing a portion of the force, such as a particular type of pull force. Any two physically connected objects may apply forces to one another. Depending on the kinds of things in contact, this contact forces different names. The force tensions are what we refer to when one of the items applying the force is a rope, string, chain, or cable. The force that results from compressing a material or object is called the compression force. Compression forces are the result of shearing forces aligning into one another. From hand tools to compression brakes, the compression force is employed to power everything. An essential engineering aspect is the compressive strength of materials and structures.

To  learn more about Compression click here

brainly.com/question/30060592

#SPJ4

Which of the following statements assigns a random integer between 1 and 10 , inclusive, to rn ? a. int rn=(int)(Math. random ())+10b. int rn=(int)(Math.random ())+10+1c. int rn=(int)(Math.random ()+10)d. int rn=(int)(Math.random( )+1θ)+1e. intrn=(int)(Math. random ()+1)+10

Answers

A double that is larger than 0 and less than 1 is what the Math.random() function produces. This number evaluates to a double that is more than or equal to 0 and less than 10 when multiplied by 10.

Which of the following expressions will yield a random integer between the ranges of 5 and 10 inclusively?

Similar to that, if you require random numbers between 5 and 10, you must call nextInt(5, 11), as 5 is inclusive but 11 is exclusive, and this will return any result between 5 and 10.

What does math random () mean?

Math.random() The floating-point, pseudo-random number that is returned by the Math.random() function has a roughly uniform distribution over the range from larger than or equal to 0 to 1.

To know more about Math.random visit :-

https://brainly.com/question/17586272

#SPJ4

Optimal Setup of Wireless Channels You control three wireless channels with access points. Neighboring wireless networks may cause wireless interference. Your goal is to move your wireless channels to minimize the interference. Make sure there is as little overlap as possible for all wireless channels. Once you have optimally positioned your channels, click "Submit." If successful, click the "Next" button for the next scenario. If your answer is wrong, try again. Good luck! Next Submit GHz 2.412 2417 2.422 2.427 2.432 2.437 2.442 2.447 2.452 2.457 2.462 2.467 2.472 Neighbouring wifi has been set up at 2.427 GHz

Answers

In order to minimize interference, you should choose wireless channels that are as far apart as possible from the neighboring wireless network. In this case, you could use the 2.412 GHz, 2.442 GHz, and 2.472 GHz channels. These channels are at least 5 MHz apart from the neighboring network's channel, which should help to reduce interference.

Wireless channel optimization is the process of choosing the best channel for a wireless network to operate on. This is important because different channels can have different levels of interference, and selecting the best channel can improve the performance of the wireless network.

There are several factors that can affect the performance of a wireless channel, including the presence of other wireless networks, the distance between the devices, and the type of environment. To optimize a wireless channel, you can try the following steps:

Identify the channels being used by other wireless networks in the area. This can be done using a wireless scanning tool or by checking the channel settings on the other networks.Choose a channel that is not being used by any other networks in the area, or that has the least amount of overlap with other channels.Experiment with different channels to find the one that provides the best performance for your network.Monitor the performance of the wireless network to ensure that it remains optimal. If you notice a decline in performance, try switching to a different channel to see if it improves.

Learn more about Wireless Channels Optimization, here https://brainly.com/question/28365848

#SPJ4

Which of the following is not a presentation software term? 9 Multiple Choice Speaker Notes Speaker Image Slide Slide Master

Answers

Note that the option that is not a presentation software term is: "Speaker Image" (Option 2)

What is presentation software?

A presentation program (sometimes known as presentation software) is a software package used to display information as a slide show. It includes three key functions: an editor that allows text to be input and formatted, a search engine, and a calendar. a technique for adding and modifying visual graphics and media snippets.

Speaker Notes refers to notes that speakers can utilize to assist steer their presentation are referred to as speaker notes. They are usually hidden from the audience and serve as a reference for the speaker.

Learn more about Presentation Software:
https://brainly.com/question/2190614
#SPJ1

alter the program so that a valid password consists of 10 charac- ters, 6 of which must be digits and the other 4 letters.

Answers

To alter the program so that a valid password consists of 10 charac- ters, 6 of which must be digits and the other 4 letters.

What is password?

A password is a group of characters used to verify a user's identity on a computer system. You might, for instance, need to log in to a computer account. You must enter a true username and password in order to access your account. The term "login" is frequently used to describe this combination. Passwords are private to each user, whereas usernames are typically public knowledge.

Most passwords are made up of a number of characters, which can typically include letters, numbers, and the majority of symbols but not spaces. While picking a password that is simple to remember is a good idea, you shouldn't make it so straightforward that anyone can figure it out.

//CODE//

#include <iostream>

#include <cstring>

#include <cctype>

// #include

using namespace std;

// function prototypes

bool testPassWord(char[]);

int countLetters(char *);

int countDigits(char *);

int main() {

char passWord[20];

cout << "Enter a password consisting of exactly 10 characters, 6 digits and the other 4 letters:"

<< endl;

cin.getline(passWord, 20);

if (testPassWord(passWord))

cout << "Please wait - your password is being verified" << endl;

else {

cout << "Please enter a password with exactly 10 letters, 6 digits and 4 other"<< endl;

cout << "For example, my1237Ru99jhsggs is valid" << endl;

}

// Fill in the code that will call countLetters and countDigits and will

// print to the screen both the number of

// letters and digits contained in the password.

cout << "There are " << countLetters(passWord)

<< " letters in the password.\n";

cout << "There are " << countDigits(passWord) << " digits in the password.\n";

if (countLetters(passWord) == 10 && countDigits(passWord) == 6 && strlen(passWord)==20) {

cout << "password: " << passWord << endl;

} else

cout << "So, password: " << passWord << endl;

system("PAUSE"); // Pause the system for a while

return 0;

}

//**************************************************************

// testPassWord

//

// task: determines if the word in the character array passed to it, contains

// //exactly 10 letters,  6 digits and 4 other letters.

// data in: a word contained in a character array

// data returned: true if the word contains 10 letters, 6 digits and 4 other letters

// digits, false otherwise

//

//**************************************************************

bool testPassWord(char custPass[]) {

int numLetters, numDigits, length;

length = strlen(custPass);

numLetters = countLetters(custPass);

numDigits = countDigits(custPass);

// Check valid password consists of 10 characters,6 of which must be digits

// and the other 4 letters

if (numLetters == 10 && numDigits == 6 && length == 20)

return true;

else

return false;

}

//**************************************************************

// countLetters

//

// task: counts the number of letters (both

// capital and lower case)in the string

// data in: a string

// data returned: the number of letters in the string

//

//**************************************************************

int countLetters(char *strPtr) {

int occurs = 0;

while (*strPtr != '\0') {

if (isalpha(*strPtr))

occurs++;

strPtr++;

}

return occurs;

}

//**************************************************************

// countDigits

//

// task: counts the number of digits in the string

// data in: a string

// data returned: the number of digits in the string

//

//**************************************************************

int countDigits(char *strPtr) {

int occurs = 0;

while (*strPtr != '\0') {

if (isdigit(*strPtr)) // isdigit determines if the character is a digit

occurs++;

strPtr++;

}

return occurs;

}

Learn more about passwords

https://brainly.com/question/15016664

#SPJ4

What order should I connect my modem and router?

Answers

Answer: modem then router

Explanation: the wireless signal you will get is from the router but to get that signal you need to have the modem working.

Estimate the incremental cancer risk for a 60-kg worker exposed to a
particular carcinogen under the following circumstances. Exposure time is 5
days per week, 50 weeks per year, over a 25-year period of time. The worker is
assumed to breathe 20m3 of air per day. The carcinogen has a potency factor
of 0.02 (mg/kg-day)-1 and its average concentration is 0.05mg/m3. Average Life
is 70-year.
1year=365 day

Answers

Answer:

Carcinogen conc. = 0.05 mg/m3

; Lung absorption factor =0.8; Breathing rate = 1m3

/hr

Carcinogen potency factor = 0.02 (mg/kg-day)

-1

Total exposure time = (2 hours/work day)×(5 days/week)×(50 weeks/year)×(20 years)

= 10000 hours

Exposed carcinogen concentration = (0.05 mg/m3

)×[ 1 m3

/h]× (10000 hours) = 500 mg

Absorbed carcinogens in lung = (0.8)×500 mg = 400 mg

Chronic daily intake of carcinogen through lung (CDI)

= (Exposed concentration)/(body weight× averaging time)

Here given body weight = 60 kg; Averaging time = 70 years

So, CDI= (400 mg)/(60 kg×70 years×365days/year) = 2.61 ×10-4 mg/(kg×day)

Lifetime incremental risk of cancer through inhalation of air = CDI×PF

=[2.61 ×10-4 mg/(kg×day)]×[ 0.02 (mg/kg-day)

-1

] =5.22×10-6 (> than the allowable lifetime

incremental risk of cancer, i.e., 10-6, and thus there is a concern.)

Explanation:

A compressor that has the motor and compressor in a housing that is bolted together is called a(n) __________ type.

Answers

Bolting is used to assemble semi-hermetic compressors rather than welding. The primary distinction between hermetic and semi-hermetic compressors is this.

The crucial components of semi-hermetic compressors are housed in a cast iron housing. Even though they are still housed together, the motor and compressor are still accessible. Instead of the system failing completely, this enables maintenance checks and the repair or replacement of pieces as they deteriorate.

Centrifugal force causes the oil to flow, which lubricates hermetic compressors. While having an oil pump and what is known as forced lubrication, semi-hermetic compressors do not.

Gas pours into the area of low pressure through a suction valve input. The suction valve closes during the piston's upstroke, forcing the exhaust valve to open as a result of mounting pressure. The gas is compelled through the system's discharge, or high pressure, side after being compressed.

Know more about compressors here:

https://brainly.com/question/9131351

#SPJ4

Programming Exercise 2.4 Create a program that takes the radius of a sphere (a floating-point number) as input and then outputs the sphere's: Diameter (2 × radius) Circumference (diameter × π) Surface area (4 × π × radius × radius) Volume (4/3 × π × radius × radius × radius)

Answers

The Python code that can help in the Programming Exercise  is given below:

import math

def sphere_properties(radius):

 diameter = 2 * radius

 circumference = diameter * math.pi

 surface_area = 4 * math.pi * radius * radius

 volume = 4/3 * math.pi * radius * radius * radius

 

 print("Diameter: ", diameter)

 print("Circumference: ", circumference)

 print("Surface Area: ", surface_area)

 print("Volume: ", volume)

radius = float(input("Enter the radius of the sphere: "))

sphere_properties(radius)

What is the Python code  about?

The above code defines a function sphere_properties that takes the radius of the sphere as input and calculates the diameter, circumference, surface area, and volume of the sphere. The value of π is obtained from the math module.

Therefore, the function prints the values of the diameter, circumference, surface area, and volume of the sphere.

Learn more about Programming from

https://brainly.com/question/26497128

#SPJ1

Use the node-voltage method to find vo and the power delivered by the current source in the circuit in figure, if the v = 30V and the i = 1.9A . Use the node a as the reference node to find vo. Use the node b as the reference node to find vo. Find the power delivered by the 1.9A current source.

Answers

p=61.75W

(a)
use node a as reference and is shown in Figure 1

Apply KCL at super node  between b and c
=1.9+V^b/50+v^c/150+V^C?20+55=0
=v ^b/50+v^c/150+V^C/75=-1.9
=v^ b + v^ c=-1.9(50)
=v^ b +V^ C=-95.....(1)

From super node b and c,
v^ b-v ^c=30.....(2)

by solving equation 1 and 2
V^ b=-32.5V
V^ c=-62.5V

therefore the voltage V^ 0=-32.5V

(B) Apply KCL at node a.
-1.9+v^ a/50+v^ a- v^ c/150+v^a-v^c+20+55+0
V^ a/50+v^a-V^c/150+v^a-v^c/75=1.9
v^ a/50+v^a-v^c/50=1.9
v^ a+ v^ a - v^ c=1.9(50)
2V^ a -v^ c=95....(1)

put V^ c=-30v in equation(1)
2V^ a-(-30)=95
2V^ a=(95-30)
v^ a= 32.5V

From figure 2, the voltage v^ 0=-v^ a
therefore v^ 0=-32.5 V

(c)  power delivered by the 1.9 A current source is
p=iv^ 0
=(1.9)(-32.5)
=-61.75W
The negative sign indicates the power delivering by a source,

P=61.75W  

To learn more about node- voltage, click here    
https://brainly.com/question/29445057
#SPJ4                                  



                 

A an) is an individual stationed outside one or more permit spaces who monitors the authorized entrants. a. entrant b. attendant c. competent person d. monitor

Answers

The correct answer to the given question about individual stationed outside one or more permit spaces is option b) Attendant.

In a wide range of venues, including hotels, restaurants, parking lots, outdoor facilities, and retail stores, attendants carry out a variety of activities related to customer care and assistance. They help customers, give information, and make sure everything runs smoothly. Keeping operational spaces clean and organized, keeping an eye on product inventory, and obtaining essential supplies are all duties of attendants. Helps patients with their daily activities of life by ambulating, rotating, and placing them as well as helping with meal preparation and feeding them as needed. In order to give visitors a welcoming and comfortable stay, room attendants are in charge of maintaining and cleaning guest rooms. Performing general and regular maintenance. Maintain the premises in a tidy and clean manner.

To learn more about attendants click here

brainly.com/question/15959245

#SPJ4

The code produces an error when trying to retrieve the formContext object by using the getFormContext method.

Answers

Using the knowledge in computational language in JAVA it is possible to write a code that  produces an error when trying to retrieve the formContext object by using the getFormContext method.

Writting the code:

function commonEventHandler(executionContext) {

   var formContext = executionContext.getFormContext();    

   var telephoneAttr = formContext.data.entity.attributes.get('telephone1');

   var isNumberWithCountryCode = telephoneAttr.getValue().substring(0,1) === '+';

   // telephoneField will be a form control if invoked from a form OnChange event;

   // telephoneField will be a editable grid GridCell object if invoked from editable grid OnChange event.

   var telephoneField = telephoneAttr.controls.get(0);

   if (!isNumberWithCountryCode) {

       telephoneField.setNotification('Please include the country code beginning with '+'.', 'countryCodeNotification');

   }

   else {

       telephoneField.clearNotification('countryCodeNotification');

   }

}

function onstop(executionContext) {

   var formContext = executionContext.getFormContext();

   var stop = formContext.getAttribute("abs_onstop").getValue();

   if (stop == true)

   {

       formContext.ui.setFormNotification("This account has been placed ON STOP!", "WARNING", "OnStop");

   }

   else

   {

       formContext.ui.clearFormNotification("OnStop");

   }

}

See more about JAVA at brainly.com/question/29897053

#SPJ1

T/F. an optimistic approach is based on the assumption that the majority of the database operations do not conflict.

Answers

False. An optimistic approach is based on the assumption that the majority of database operations do conflict.

What is database?
A database is an organized collection of data stored in a computer system. It is composed of multiple tables of information, with relationships between them, and is typically used to store data that can be quickly accessed, managed, and updated. Databases are used in many different applications, such as online banking, e-commerce, data analysis, and decision making. They are especially important for businesses, as they provide a reliable, structured way of storing and retrieving data. Database management systems (DBMS) provide a means for creating and managing databases, and are essential for businesses that need to store and access large quantities of data. The data is organized into tables and can be queried in order to extract meaningful information. Databases are typically highly secure, as they contain valuable data that must be protected from unauthorized access.

To learn more about database
https://brainly.com/question/29418402
#SPJ4

When an exception is thrown by code in its try block, the JVM begins searching the try statement for a catch clause that can handle it and passes control of the program to ________.
A the statement that appears immediately after the catch block
B the first catch clause that can handle the exception
C the last catch clause that can handle the exception
D each catch clause that can handle the exception

Answers

When an exception is thrown by code in its try block, the JVM begins searching the try statement for a catch clause that can handle it and passes control of the program to the first catch clause that can handle the exception.

What is catch clause?

In C#, a catch block is an optional section of code that is run after an exception is raised. The "catch" keyword is used in conjunction with the keywords "try" and "finally" to implement the catch block, which is a specific component of the exceptional handling construct and provides a method for implementing structured exception handling.

The code that is guarded and may result in an exception is included in a try block. It contains declarations that address exceptional situations and attempts to recover from such unforeseen circumstances.

The way to handle exceptions is formed by the catch block. The.NET run time may terminate the entire program if these issues are not resolved. For handling general or specific exceptions, use a catch block.

Learn more about catch block

https://brainly.com/question/14186450

#SPJ4

39. Get the Groups As new students begin to arrive at college, each receives a unique ID number, 1 to n. Initially, the students do not know one another, and each has a different circle of friends. As the semester progresses, other groups of friends begin to form randomly. There will be three arrays, each aligned by an index. The first array will contain a queryType which will be either Friend or Total. The next two arrays, students1 and students, will each contain a student ID. If the query type is Friend, the two students become friends. If the query type is Total, report the sum of the sizes of each group of friends for the two students. Example n = 4 query Type = ['Friend', 'Friend', 'Total'] student 1 = [1, 2, 1] student2 = [2, 3, 4] Initial Friend 1 2 & Friend 2 3 Total 14 Size:1 Size:1 Size:1 Size:1 Size:3 Size:1 3 + 1 = 4 2 The queries are assembled, aligned by index: Index student2 studenti 1 0 2 query Type Friend Friend Total 1 2 3 2 1 4 Students will start as discrete groups {1}, {2},{3} and {4}. Students 1 and 2 become friends with the first query, as well as students 2 and 3 in the second. The new groups are {1, 2}, {2, 3} and {4} which simplifies to {1, 2, 3} and {4}. In the third query, the number of friends for student 1 = 3 and student 4 = 1 for a Total = 4. Notice that student 3 is indirectly part of the circle of friends of student 1 because of student 2. Function Description Complete the function getTheGroups in the editor below. For a query of type Total with an index of j, the function must return an array of integers where the value at each index j denotes the answer. getTheGroups has the following parameter(s): int n: the number of students string query Type[g]: an array of query type strings int student1[q]: an array of student integer ID's int student2[q]: an array of student integer ID's Constraints • 1sns 105 • 15qs 105 • 1 s students 1[i], students2[i] n query Types[i] are in the set {'Friend', 'Total'} . Input Format for Custom Testing Input from stdin will be processed and passed to the function as follows: The first line contains an integer n, the number of students. The next line contains an integer q, the number of queries. Each of the next qlines contains a string queryType[i] where 1 sisq. The next line contains an integer q, the number of queries. Each of the next qlines contains a string students1[i] where 1 sisq. The next line contains an integer q, the number of queries. Each of the next qlines contains a string students2[i] where 1 sisq. Sample Case o Sample Input 0 STDIN Function 3 → n = 3 2 → queryType [] size q = 2 Friend – query = ['Friend', 'Total'] Total 2. → students1[] size q = 2 1 → studentsl = [1, 2] 2 2 → students2[] size q = 2 2 → students2 = [2, 3] 3 Sample Output 0 3 Fynlanation 0

Answers

Python's computational language can be used to create a code whose first line comprises an integer containing the number of students.

The Python code that can conclude the number of the student  is gonna be as follows:

#include<bits/stdc++.h>

using namespace std;

const int Mx=1e5+5;

int par[Mx],cnt[Mx];

void ini(int n){

  for(int i=1;i<=n;++i)par[i]=i,cnt[i]=1;

}

int root(int a){

  if(a==par[a])return a;

  return par[a]=root(par[a]);

}

void Union(int a,int b){

  a=root(a);b=root(b);

  if(a==b)return;

  if(cnt[a]>cnt[b])swap(a,b);

  par[a]=b;

  cnt[b]+=cnt[a];

}

int* getTheGroups(int n,int q,int sz,string queryTypes[],int student1[],int student2[],int* ans){

  ini(n);

  int current=0;

 

  for(int i=0;i<q;++i){

      if(queryTypes[i]=="Friend"){

          Union(student1[i],student2[i]);

      }

      else{

          int x=root(student1[i]),y=root(student2[i]);

          if(x==y)ans[current++]=cnt[x];

          else ans[current++]=cnt[x]+cnt[y];

      }

  }

  return ans;

}

int main(){

  int n,q,sz=0;

  cin>>n>>q;

  string queryTypes[q];

  int student1[q],student2[q];

  for(int i=0;i<q;++i){

      cin>>queryTypes[i];

      if(queryTypes[i]=="Total")

          ++sz;

  }

  cin>>q;

  for(int i=0;i<q;++i)cin>>student1[i];

  cin>>q;

  for(int i=0;i<q;++i)cin>>student2[i];

  int ans[sz];

  int* ptr=getTheGroups(n,q,sz,queryTypes,student1,student2,ans);

  for(int i=0;i<sz;++i)

      cout<<ptr[i]<<endl;

  return 0;

}

See more about python at brainly.com/question/18502436

#SPJ4

TRUE OR FALSE front-wheel-drive vehicles with strut suspensions typically have a higher sai angle than rear-wheel-drive vehicles with short-long arm suspension.

Answers

The statement " front-wheel-drive vehicles with strut suspensions typically have a higher SAI angle than rear-wheel-drive vehicles with short-long arm suspension. " is True.

What is SAI?

When viewed from the front of the car, SAI is the angle in degrees of the steering pivot line. This angle enables the vehicle to rise slightly when you turn the wheel away from a straight-ahead position when combined with the camber to create the included angle. The inward tilt of the suspension toward the center of the car is referred to as steering axis inclination. The SAI angle is created by drawing an imaginary line across the upper strut, lower ball joint, and another actual vertical line through the middle of the tire.

Because it causes the wheel spindle to slant downward somewhat as the wheel is turned, the Steering Axis Inclination (SAI) angle directly affects steering and handling.

To learn more about SAI, use the link given
https://brainly.com/question/28956959
#SPJ4

On mountain roads, if you have ____ or more vehicles behind you, you must use turnouts to let them pass.

Answers

On mountain roads, if you have __5__ or more vehicles behind you, you must use turnouts to let them pass.

Before passing a bus or truck, be sure you can see the driver in the side mirror. To safely and quickly pass the truck or bus, signal loudly, then move into the left lane and speed up. Stay out of the blind spot. In order to observe any items through the rear view glass on the right side and rear of the car, you should be backing up with your head pointed toward the right rear of your vehicle. Driving on two-way streets is simpler since you can readily observe the approaching cars. Never cross the centerline when you get close to a hill's top.

To learn more about mountain roads click the link below:

brainly.com/question/21065899

#SPJ4

Suppose you are working as a lead project manager in a software house "Alpha Solutions". For a new project, you need to decide which process model will be the most appropriate.

Project “gameBuddy” is an Android application, a stable screen recorder/game recorder/video saver for Android, also a powerful all-in-one video editor and photo editor that lets you record game while playing, with one touch. Capture screen and edit video with filters, effects, music. You can draw on screen while recording, easily record phone screen with internal/external voice.


The best thing about this project is that customer is quite knowledgeable, and we have similar products in the market as well but the project timeline is a bit tight. The customer has expressed his interest in evaluating solution modules to ensure business requirements and quality standards are being met. Documentation is not compulsory, but if developed, will definitely increase the quality of the product. Your team has just completed the previous project very skillfully and efficiently.

Answers

Using the knowledge in computational language in JAVA it is possible to write a code that Capture screen and edit video with filters, effects, music. You can draw on screen while recording, easily record phone screen with internal/external voice.

Writting the code:

package com.exchange;

class Recv

{

private String lhs;

private String rhs;

private String error;

private String icc;

public Recv(

{

}

public String getLhs()

{

return lhs;

}

public String getRhs()

{

return rhs;

}

}

public class Convert extends HttpServlet {

   protected void processRequest(HttpServletRequest req, HttpServletResponse resp)

           throws ServletException, IOException {

       String query = "";

       String amount = "";

       String curTo = "";

       String curFrom = "";

       String submit = "";

       String res = "";

       HttpSession session;

       resp.setContentType("text/html;charset=UTF-8");

       PrintWriter out = resp.getWriter();

       /*Read request parameters*/

       amount = req.getParameter("amount");

       curTo = req.getParameter("to");

       curFrom = req.getParameter("from");

       try {

           query = "+ amount + curFrom + "=?" + curTo;

           URL url = new URL(query);

           InputStreamReader stream = new InputStreamReader(url.openStream());

           BufferedReader in = new BufferedReader(stream);

           String str = "";

           String temp = "";

           while ((temp = in.readLine()) != null) {

               str = str + temp;

           }

                 Gson gson = new Gson();

           Recv st = gson.fromJson(str, Recv.class);

           String rhs = st.getRhs();

     

                   StringTokenizer strto = new StringTokenizer(rhs);

           String nextToken;

           out.write(strto.nextToken());

           nextToken = strto.nextToken();

           if( nextToken.equals("million") || nextToken.equals("billion") || nextToken.equals("trillion"))

           {

               out.println(" "+nextToken);

           }

       } catch (NumberFormatException e) {

           out.println("The given amount is not a valid number");

       }

   }

   protected void doGet(HttpServletRequest request, HttpServletResponse response)

           throws ServletException, IOException {

       processRequest(request, response);

   }

   protected void doPost(HttpServletRequest request, HttpServletResponse response)

           throws ServletException, IOException {

       processRequest(request, response);

   }

   public String getServletInfo() {

       return "Short description";

   }// </editor-fold>

}

See more about JAVA at brainly.com/question/29897053

#SPJ1

question 2 write a program that prompts the user to input a number of quarters, dimes, and nickels. the program then outputs the total value of the coins in pennies.

Answers

The program then outputs the total value of the coins in pennies.

The program:

#include<iostream>

using namespace std;

int main()

{

int quarters, dimes, nickels, total_cents;

  cout<<"Enter the number of quarters:\n";

  cin>>quarters;        

  cout<<"Enter the number of dimes:\n";

  cin >>dimes;

   cout <<"Enter the number of nickels:\n";

   cin>>nickels; total_cents = (quarters * 25) + (dimes * 10) + (nickels * 5);

   cout<<total_cents;  

 return 0;

}

How do you get user input in C++?

How to take input by the user in C++ User input: To enable the user to input a value, use cin in combination with the extraction operator (>>). The variable containing the extracted data follows the operator.

To know more about  C++ :
https://brainly.com/question/27019258

#SPJ4

In the following gear train, Shaft A rotates at 200 rpm and shaft B rotates at 300 rpm in the directions indicated. Determine the speed of shaft C and its direction of rotation. N2 = 35; N3 = 25; N4 = 14; N5 = 46; No = 20; N, = 16

Answers

The speed of shaft C and its direction of rotation is 1160 rpm and C.C.W respectively.

What is speed?

The rate of distance travel is referred to as speed. The SI units for measuring speed are meters per second (m/s), but other units such as miles per hour (mph), kilometers per hour (km/h), centimeters per year (cm/yr), and feet per second (ft/s) can also be used.

Due to the fact that distance is the only factor taken into account, it is a scalar quantity. Speed will ALWAYS be positive and cannot ever be negative. In a car, the speedometer displays the distance traveled; even when going backward, the speedometer still displays a positive speed. Speed is measured by how far you go in a given amount of time.

Learn more about speed

https://brainly.com/question/13943409

#SPJ4

Consider a coding system where letters are represented as sequential decimal numbers starting from 0, (i.e., a=0, b=1, c= 2.... z=25). Given a string of digits (e.g. "123") as input, print out the number of valid interpretations of letters. Write an algorithm to calculate the number of valid interpretations of the letters formed by the given input Input The first line of input consists of a string - decinput representing the decimal numbers. Output Print an integer representing the number of valid interpretations for the letters formed by the given string of digits. Examples Example Input 100200300 Output: 4

Answers

Here is the pseudocode for the recursive function:

def num_interpretations(decinput: str, index: int) -> int:

 # base case: if we have reached the end of the input string, return 1

 if index == len(decinput):

   return 1

 

 # try to decode the current digit as a single digit

 count = num_interpretations(decinput, index + 1)

 

 # try to decode the current digit and the next digit as a pair of digits

 if index + 1 < len(decinput) and decinput[index] != '0':

   count += num_interpretations(decinput, index + 2)

 

 return count

To use this function, we can call it with the input string and an initial index of 0:

decinput = "100200300"

count = num_interpretations(decinput, 0)

print(count)  # prints 4

To solve this problem, we can use a recursive approach. We can start from the first digit and try to decode it in two ways: as a single digit or as a pair of digits. If we decode it as a single digit, we can move to the next digit and try to decode it in the same way. If we decode it as a pair of digits, we can move two digits ahead and try to decode the next digit. We can continue this process until we have decoded all the digits in the input string.

Learn more about code, here https://brainly.com/question/497311

#SPJ4

which nec article permits the disconnect switch for a large rooftop air conditioner to be mounted inside the unit?Step-by-step solution
Step 1 of 1
The compressor raises the energy level of the refrigerant.
Compressor raises the energy level of the refrigerant so that it can be condensed readily to a liquid. It serves as a pump to draw the expanded refrigerant gas from the evaporator. In addition, the compressor boosts the pressure of the gas and sends it to the condenser. The compression of the gas is necessary because this process adds the heat necessary to condense the gas to a liquid.

Answers

Article 440 permits the disconnect switch for a large rooftop air conditioner to be mounted inside the unit.  

Disconnecting devices must be placed so that they are easily visible from and reachable from the cooling or heating equipment. Installing the disconnecting device on or inside the air-conditioning or refrigeration equipment is allowed. An HVAC system known as a packed rooftop unit, also known as an RTU, is a small unit that includes all the parts required to supply conditioned air. Packaged rooftop units are primarily used in small and large commercial applications. They are extremely well-liked by commercial and industrial properties.

To learn more about air-conditioner click here

brainly.com/question/13143746

#SPJ4

an error occurred inside the server which prevented it from fulfilling the request.

Answers

The correct answer is Internal Server Error an error occurred inside the server which prevented it from fulfilling the request.

The server encountered an unforeseen issue that prohibited it from processing the request, as indicated by the 500 (Internal Server Error) status code. A 500 internal server error, as the name implies, denotes a widespread problem with the server that supports the website. This most likely indicates that there is a problem or brief fault with the website's code. It denotes that the server was unable to process the request because to an unforeseen circumstance. When no other error code is appropriate, the server will often return this error. If IIS has to be restarted, the "Server error in '/' application" error message may appear. IIS may be restarted with IIS Manager. Click "Start" in the lower left-hand corner of your Remote Desktop connection, then "Administrative Tools."

To learn more about Internal Server Error click the link below:

brainly.com/question/29464513

#SPJ4

express the following decimal numbers in binary, octal, and hexadecimal forms: a. 173; b. 299.5; c. 735.75

Answers

A binary number is a number that is expressed using the base-2 numeral system or binary numeral system, a way of expressing numbers in mathematics that typically only employs the symbols "0" (zero) and "1." (one).

What is numeral system?

A numeral system, also known as a system of numeration, is a method of writing numbers; it is a type of mathematical notation used to consistently represent a set of numbers by using digits or other symbols.

In various numeral systems, the same set of symbols can represent various numbers. For instance, the number "11" stands for the numbers eleven in the decimal system, which is used in everyday life, three in the binary system, which is used in computers, and two in the unary system.

                       

                             Binary                       Octal               Hexadecimal

1)       173              = 10101101₂                  = 255₈                = AD₁₆

2)      299.5         = 100101011.1000₂      = 453.4₈              = 12 B.8₁₆

3)      735.75        = 1011011111.1100₂       = 1337.6₈             = 2 DF.C₁₆

Learn more about binary

https://brainly.com/question/16612919

#SPJ4

Develop the tree table from the minimum tree for node 1 shown below. 10 Question 2 Sketch the network described by the accompanying link table. Find by observation the 'minimum tree' from node 1 and 2, respectively. Make a Tree Table for the 'minimum tree' for node1

Answers

Intrusion detection system/ Intrusion prevention system (IDS/IPS) was the based on the Says/Application domain, Remote access domain, LAN to WAN domain. Integrity/Availability is the CIA function(s).

What is domain?

Domains allude to the capacity to teach pupils to think critically by employing techniques that make the greatest sense to them. There are three types of domains: psychomotor, emotional, and cognitive.

There were the Information Security Applications and Defensive measures, Domain, and Cryptography. Remote access domain: private virtual networks (VPNs), laptops with VPN software, and SSL/VPN tunnels. System/Application domain: Hardware, operating system software, DBMS, client/server apps, and data that are often hosted in the data center and computer rooms of an enterprise.

Learn more about on domains, here:

https://brainly.com/question/28135761

#SPJ4

What refers to an objects shape and structure, either in two dimensions (for example, a portrait painted on canvas) or in three dimensions (such as a statue carved from a marble block).

Answers

The term "form" refers to an object's shape and structure, either in two dimensions (for example, a portrait painted on canvas) or in three dimensions (such as a statue carved from a marble block).

What is the Form?

Form is an integral part of any artwork and can be used to convey emotion and meaning. Form can be used to create a sense of balance, contrast, and unity in a composition. In two dimensional works, form is typically created through the use of line, shape, and value. In three dimensional works, form is created through the use of volume, space, and texture. Form is an essential element of art and can be used to evoke a range of emotions and meanings.

Learn more about Objects shape and structure :

https://brainly.com/question/13902734

#SPJ4

a(n) ____ cursor is automatically created in procedural sql when the sql statement returns only one value.

Answers

An implicit cursor is automatically created in procedural sql when the sql statement returns only one value.

What is SQL?

In order to interact with and modify databases, programmers use SQL (Structured Query Language). Many businesses must learn SQL if they want to make the most of the mountains of data they collect. Here is all the information you need to know about accessing and modifying data using SQL.

Users can access specific data they need at any time by using SQL, which helps manage the information stored in databases.

Even though SQL is a straightforward programming language, it is incredibly strong. In actuality, SQL is capable of adding data to database tables, altering data in already-existing database tables, and deleting data from SQL database tables. SQL can also change the database structure by adding, deleting, and altering tables.

Learn more about SQL

https://brainly.com/question/25694408

#SPJ4

You are given a data stream that has been compressed to a length of 100,000 bits, and told that it is the result of running an "ideal" entropy coder on a sequence of data. You are also told that the original data consists of samples of a continuous waveform, quantized to 2 bits per sample. The probabilities of the uncompressed values are as follows: 00 1/2 01 3/8 10 1/16 11 1/16. What (approximately) was the length of the uncompressed signal?

Answers

The uncompressed values from given data is s = 10 p(s) = 1/16

compressed file                                                                  uncompressed file

l=-(0.5 log 2 0.5)...= h bit/sample                                         2 bits sample

100,000 bits                                                                                     x bits

x bits ÷ 100000 bits = 2 bits/sample ÷ h bits sample

A data stream is the transmission of a series of coherent signals that have been digitally encoded to carry information. The sent symbols are often organized into a number of packets.

Data streaming is now commonplace. Any communication sent via the Internet is done so as a data stream. When speaking on a phone, the sound is transmitted as a data stream. Depending on the data format selected, Data Stream comprises several sorts of data. When determining the time of an event, attributes like the Timestamp attribute are helpful. An algorithmically encoded ID called "Subject ID" has been taken out of a cookie.

To learn more about Data Stream click here

brainly.com/question/14012546

#SPJ4

There are several books placed in the HackerStudy library. One of those books on mathematics described an interesting problem that a mathematician wishes to solve. For an array arrof n integers, the mathematician can perform the following move on the array: 1. Choose an index i(0≤i

Answers

There are a number of books in the HackerStudy collection that can help you build code using your understanding of Python's computational language.

the code will be

include<iostream>

using namespace std;

long getMaximumScore(int arr[],int k,int n)

{

long count=0,sum=0;

for(int i=0;i<n-1;i++)

{

for(int j=0;j<n-i-1;j++)

{

 if(arr[j+1]>arr[j])

 {

  arr[j+1]=arr[j+1]+arr[j];

  arr[j]=arr[j+1]-arr[j];

  arr[j+1]=arr[j+1]-arr[j];

 }

}

}

for(int i=0;i<n;i++)

{

if(count==k)

return sum;

else

{

 sum=sum+arr[i];

 count++;

}

}

}

int main()

{

int n,k;

cin>>n;

int arr[n];

for(k=0;k<n;k++)

cin>>arr[k]  ;

cin>>k;

cout<<getMaximumScore(arr,k,n);

return 0;

}

learn more about C++ here: https://brainly.com/question/20339175

#SPJ4

Question 9 (2 points) The best time delay rating for a fuse used in semiconductor circuits is O standard it doesn't matter slow-blowing O fast-blowing

Answers

The best time delay rating for a fuse used in semiconductor circuits is standard.

What is a fuse?

A fuse is an electrical safety device that protects an electrical circuit against overcurrent in electronics and electrical engineering. An integral part of it is a metal wire or strip that melts under excessive current flow, blocking or interrupting the current. The service distribution panel contains fuses as an over-current safety measure.

It basically consists of a metal piece that melts when it gets too hot. In accordance with their use in various applications, fuses can be categorized as "One Time Only Fuse," "Resettable Fuse," "Current Limiting and Non-Current Limiting fuses," and "Current Limiting and Non-Current Limiting."

To learn more about a fuse, use the link given
https://brainly.com/question/29585696
#SPJ4

Other Questions
Can somebody answer this 20. A woman has type O blood and her husband has type AB blood. Is it possible for them to have children with the same blood type as their parents? 21. Can a man with type B blood and a woman with type A blood have a child with type O blood?22. Cross a man that is heterozygous type A and a woman that is homozygous type B. What percentage of their children will be type AB?23. Which of the following genotypes results in the same phenotype?a. IAIA and IAIi c. ii and IBib. IAIB and IAIA d. IAIB and IAIA Which of the following is not an exclusive right recognized under copyright law?a. They are all recognized rights.b. The right of reproduction of a work.c. The right of public display of a work.d. The right of the preparation of derivative works. Mira and Lemma are equal owners of a business entity. Each contributed $96,000 cash to the business. Then the entity acquired a $384,000. loan from a bank. This year operating profits totaled $115,200. Determine Lemmas basis in her interest at the end of the tax year assuming that the entity is a partnership, a C corporation, or a S corporation.a. If the entity is a partnership, Mira and Lemma each have a basis of $_____ at the end of the year.b. If the entity is a C corporation, Mira and Lemma each have a basis of $_____ at the end of the year.c. If the entity is an S corporation, Mira and Lemma each have a basis of $_____ at the end of the year. Create Table EXAMS ( SUB_NO integer Not Null, STUDENT_NO integer Not Null, MARK decimal (3), DATE_TAKEN date Not Null, Primary Key (SUB_NO, STUDENT_NO, DATE_TAKEN));The above SQL statement is used to create the EXAMS table. Considering the EXAMS table; which of the following table contents can't be inserted to the EXAMS table (assume date format is correct)?a. alter table exams add student no as foreign key (exams); b. alter table exams add foreign key (student no) references students; c. alter table sub no add foreign key (exams); d. alter table exams foreign key (sub no); What are the possible rational zeros of f x 2x3 15x2 9x 22 2 points? PLS HELP WHO EVER ANSWERD FIRST WILL GET THE BRAINLIEST PLSLeo is a salesperson. Let y represent her total pay (in dollars). Let x represent the number of items she sells. Suppose that x and y are related by the equation y=32x+1900.What is Leo's total pay if she doesnt sell any items?A. $19B. $3,200C. $32D. $1,900Explain your work pls The pendulum consists of two slender rods AB and OC which have a mass of 3 kg / m. The thin plate has a mass of 12 kg / m2. Determine the location y- of the center of mass G of the pendulum, then calculate the moment of inertia of the pendulum about an axis perpendicular to the page and passing through G. gemini inc.'s optimal cash transfer amount, using the baumol model, is $60,000. the firm's fixed cost per cash transfer of marketable securities to cash is $180, and the total cash needed for transactions annually is $960,000. on what opportunity cost of holding cash was this analysis based? group of answer choices 19.2% 6.3% 9.6% 12.1% 10.4% ________ theories describe what people ought to do, whereas ________ theories describe what people actually do. identify the surface whose equation is given. rho2(sin2() sin2() + cos2()) = 9 3. Why was Microsoft Azure a good choice for Rockwell? 4. What business problems did Rockwell's partnership with Microsoft and of loT technologies solve or alleviate? Read the sentence.A forest surrounded the lake.Which is the best way to revise this sentence using descriptive detail and sensory words?A forest surrounded the lake that was in the middle of the trees.A forest of trees sat in a circle around the round lake in the center.A thick forest of scratchy pines surrounded the crystal clear lake. A green forest went around a lake in the middle that was blue. What is transversal class 7? marcus garvey made a lasting impact on the lives of african americans in the united states by_______.a.organizing the Pan African Congress with W E B DuBoisb.contributing to the cultural contributions of the Harlem Renaissancec.confounding the Universal Negro Improvement Associationd.advocating for the passage of the Eighteenth and Nineteenth Amendments What is the purpose of the story the world on turtle's back? Given that E0cell=3.20V for the reaction 2Na(inHg)+Cl2(g)2Na+(aq)+2Cl(aq)What is E0 for the reduction 2Na(aq)++2e2Na(inHg)? x + 3x + 3x +5=0What is the rational roots of this polynomial equation? Are there 3 or 4 types of AI? your friend is a software developer. they have windows 10 pro installed on their soho computer. they are creating an application that needs to run smoothly on both windows and linux machines, so it will need to be tested in both of those environments. what would be the best solution for your friend? group of answer choices windows 10 sandbox two separate machines dual-boot system virtual machines on their pc