Here is the API for a robot library. // moves the robot forward function moveForward(); // turns the robot to the left function rotateLeft(); // turns the robot to the right function rotateRight(); // checks if a robot can move in any direction // direction {string} - the direction to be checked // return {Boolean} - true if the robot can move in that direction, otherwise returns false function canMove(direction); Which code segment will guarantee that the robot makes it to the gray square without hitting a wall or a barrier (black square)

Answers

Answer 1

Answer:

Option (A)

Explanation:

See attachment for options

From the options, the code segment of option (A) answers the question and the explanation is as follows:

I added a second attachment which illustrates the movement

function (solveMaze) {

moveForward(); ---- The robot moves up (to position 1)

moveForward(); ---- The robot moves up (to position 2)

rotateRight(); ---- The robot changes where it faces (however, it is still at position 2)

while(canMove("forward")) { moveForward(); } ---- This is repeated until the robot reaches the end of the grid (i.e. position 3 and 4)

rotateLeft(); ---- The robot changes where it faces (however, it is still at position 4)

moveForward(); ---- The robot moves up to the gray square

Here Is The API For A Robot Library. // Moves The Robot Forward Function MoveForward(); // Turns The
Here Is The API For A Robot Library. // Moves The Robot Forward Function MoveForward(); // Turns The

Related Questions

What two devices in a computer are black boxes

Answers

Answer:

the hdmi and hardrive

Explanation:

The image classification technology (Darknet) shown in the video is
free for anyone to use.
Select one:
a. proprietary
b. web-based
C. shareware
d. open source

Answers

Answer:

Open Source

Explanation:

Darknet is an open source custom neural network framework written in C and CUDA

A five-year prospective cohort study has just been completed. the study was designed to assess the association between supplemental vitamin a exposure and mortality and morbidity for measles. the rr for incidence of measles was 0.75 and the rr for measles mortality was 0.5. Assume these RR are significant. Regarding the RR reported above, which statement is correct?

a. Exposure to vitamin A appears to protect against morbidity and mortality for measles.
b. Exposure to vitamin A appears to be a risk factor for morbidity and mortality for measles.
c. Exposure to vitamin A is not associated with morbidity and mortality for measles.
d. Exposure to vitamin A is a risk factor for morbidity and a protective factor for mortality for measles.

Answers

Answer:

Exposure to vitamin A appears to be a risk factor for morbidity and mortality for measles.

Explanation:

Type (dog, cat, budgie, lizard, horse, etc.) Create a class that keeps track of the attributes above for pet records at the animal clinic. Decide what instance variables are needed and their data types. Make sure you use int, double, and String data types. Make the instance variables private. Write 2 constructors, one with no parameters and one with many parameters to initialize all the instance variables. Write accessor (get) methods for each of the instance variables. Write mutator (set) methods for each of the instance variables. In the main method of the Animal Clinic class, create 3 Pet objects by calling their constructors. Then call the accessor methods, mutator methods and toString() methods to test all of your methods.

Answers

Answer:

If you did the exercise with two Dog objects, it was a bit boring, right? After all, we have nothing to separate the dogs from each other and no way of knowing, without looking at the source code, which dog produced which bark.

In the previous article, I mentioned that when you create objects, you call a special method called a constructor. The constructor looks like the class name written as a method. For example, for a Dog class, the constructor would be called Dog().

The special thing about constructors is that they are the path to any new object, so they are a great place to call code that initializes an object with default values. Further, the return value from a constructor method is always an object of the class itself, which is why we can assign the return value of the constructor to a variable of the type of class we create.

However, so far, we have not actually created a constructor at all, so how come we can still call that method?

In many languages, C# included, the language gives you a free and empty constructor without you having to do anything. It is implied that you want a constructor; otherwise there would be no way of using the class for anything, so the languages just assume that you have written one.

This invisible and free constructor is called the default constructor, and, in our example, it will look like this:

public Dog(){ }

Notice that this syntax is very similar to the Speak() method we created earlier, except that we do not explicitly return a value nor do we even declare the return type of the method. As I mentioned earlier, a constructor always returns an instance of the class to which it belongs.

In this case, that is the class Dog, and that is why when we write Dog myDog = new Dog(), we can assign the new object to a variable named myDog which is of type Dog.

So let’s add the default constructor to our Dog class. You can either copy the line above or, in Visual Studio, you can use a shortcut: type ctor and hit Tab twice. It should generate the default constructor for you.

The default constructor doesn’t actually give us anything new because it is now explicitly doing what was done implicitly before. However, it is a method, so we can now add content inside the brackets that will execute whenever we call this constructor. And because the constructor runs as the very first thing in an object’s construction, it is a perfect place to add initialization code.

For example, we could set the Name property of our objects to something by adding code such as this:

public Dog()

{

   this.Name = "Snoopy";

}

This example will set the Name property of any new objects to “Snoopy”.

Of course, that’s not very useful because not all dogs are called “Snoopy”, so instead, let us change the method signature of the constructor so that it accepts a parameter.

The parentheses of methods aren’t just there to look pretty; they serve to contain parameters that we can use to pass values to a method. This function applies to all methods, not just constructors, but let’s do it for a constructor first.

Change the default constructor signature to this:

public Dog(string dogName)

This addition allows us to send a string parameter into the constructor, and that when we do, we can refer to that parameter by the name dogName.

Then, add the following line to the method block:

this.Name = dogName;

This line sets this object’s property Name to the parameter we sent into the constructor.

Note that when you change the constructor’s signature, you get a case of the red squigglies in your Program.cs file.When we add our own explicit constructors, C# and .NET will not implicitly create a default constructor for us. In our Program.cs file, we are still creating the Dog objects using the default parameter-less constructor, which now no longer exists.

To fix this problem, we need to add a parameter to our constructor call in Program.cs. We can, for example, update our object construction line as such:

Dog myDog = new Dog(“Snoopy”);

Doing so will remove the red squigglies and allow you to run the code again. If you leave or set your breakpoint after the last code line, you can look at the Locals panel and verify that your object’s Name property has indeed been? Got it?

The program that keeps track of the attributes above for pet records at the animal clinic is in explanation part.

What is programming?

Making a set of instructions that instruct a computer how to carry out a task is the process of programming. Computer programming languages like JavaScript, Python, and C++ can all be used for programming.

The program can be:

public class Pet {

private String name;

private int age;

private double weight;

private String type;

private String breed;

public Pet() {

}

/**

* param name

* param age

* param weight

* param type

* param breed

*/

public Pet(String name, int age, double weight, String type, String breed) {

this.name = name;

this.age = age;

this.weight = weight;

this.type = type;

this.breed = breed;

}

/**

* return the name

*/

public String getName() {

return name;

}

/**

* param name

* the name to set

*/

public void setName(String name) {

this.name = name;

}

/**

* return the age

*/

public int getAge() {

return age;

}

/**

* param age

* the age to set

*/

public void setAge(int age) {

this.age = age;

}

/**

* return the weight

*/

public double getWeight() {

return weight;

}

/**

* param weight

* the weight to set

*/

public void setWeight(double weight) {

this.weight = weight;

}

/**

* return the type

*/

public String getType() {

return type;

}

/**

* param type

* the type to set

*/

public void setType(String type) {

this.type = type;

}

/**

* return the breed

*/

public String getBreed() {

return breed;

}

/**

* param breed

* the breed to set

*/

public void setBreed(String breed) {

this.breed = breed;

}

/*

* (non-Java)

*

*/

public String toString() {

return "Pet :: Name=" + name + ", age=" + age + ", weight=" + weight

+ ", type=" + type + ", breed=" + breed;

}

}

Thus, this is the program for the given scenario.

For more details regarding programming, visit:

https://brainly.com/question/11023419

#SPJ5

an algorithm to calculate average of numbers​

Answers

Answer:

Algorithm to calculate the average of numbers is

Start sum = 0, i = 1, average, count = 0  if i / 2 == 0 then go to step 4, else go to on step 5  sum = sum + i, count = count + 1  i = i + 1 if i <= 50 then go to on step 3, else go to on step 7 Display “sum” average = sum/count Display “average” Stop

Explanation:

Algorithm to calculate the average of numbers is

Start sum = 0, i = 1, average, count = 0  if i / 2 == 0 then go to step 4, else go to on step 5  sum = sum + i, count = count + 1  i = i + 1 if i <= 50 then go to on step 3, else go to on step 7 Display “sum” average = sum/count Display “average” Stop

widow in respect to word processing ​

Answers

Answer:

To use the word widow.

Explanation:

She became a widow at the age of 95, due to the passing of her husband by natural causes.

what is the processing speed for the second generation of computers​

Answers

Answer:

10mbps

Explanation:

that's what the internet says

What is the importance of larger fonts? Explain with the help of examples. ​

Answers

Answer: See explanation

Explanation:

The importance of larger fonts is that we should note that when words are being presented in the larger font size, such words are considered to be more memorable and also such words are typically rated with judgments of learning that is high.

It is believed also that people the size of the fonts affect the memory of people. The larger the font size, the larger the importance of such word that is being portrayed.

How do you guys feel about McCree’s new look in Overwatch 2? I personally like it but some people have a distaste towards it. I personally think it’s a step in the right direction and improves on how he used to look.

Answers

Answer:

Agreed.

Explanation:

I also laugh that you put this on Brainly.

I agree

Explanation:

It's lit, very lit

The________ partitioning scheme enables you to create more than four primary partitions without needing to use dynamic disks

Answers

Answer:

three primary partitions

Visual Basic Help:
Code a program that reads a test score (number) from a text-box, each time a button is clicked. In other words, every time a new score is entered in the text-box, the score should be taken by the program, stored and the text-box should be cleared, so that the user can enter a new score. The program should be able to check that the user is entering a number. If the user enters something different than a number (or leaves the text-box empty), the program should not continue and it should display a warning message to the user. After entering as many scores as wanted, the user should be able to click on a second button to display the two highest scores, among all the ones entered until that point. The program should also display the total number of scores entered by the user. Also, once the user clicks on the button to display the results and the results are displayed, the program should get ready to get a new set of scores and start again. If the user starts writing a new score, the text-boxes with the results should be cleared.
Example: Assume the user enters the following scores: 10, 5, 20. The scores are entered once at the time in the top text-box; when a score is entered, the user presses the button to "Read" the score. The score is taken by the program and the text-box is cleared, so that the next score can be entered. This process can be repeated as many times as the user wants and for as many scores as the user wants. Once all the scores are entered and read(or taken-in)by the program, the user clicks on the second button to display the results. The program should then display the two highest scores, among the ones entered. So, in the example, this would be 10, 20. And it should display the total number of scores entered by the user. In the example, it would be 3.
After that, the user should be able to repeat the process and enter a new set of scores, if wanted. The program should therefore be ready to take in new inputs and start the process again. When the user starts typing the new score, the text-boxes with the previous results (two highest scores and total num. of scores) should get cleared

Answers

Answer:

See text attachment for complete source code (for the answer) where I used comments to explain each line of the program

Explanation:

First, design the form using the following tools (and the accompanying properties) :

1 Label: Property: Text: Score

2 Buttons

Button1: Property: Name: btnAdd; Text: Add

Button2: Property: Name: btnDisplay; Text: Display

1 ListBox: Property: Visible: Hidden

1 TextBox: Property: Name: txtNum1

First, create the following function.

The function (named typecheck) validates input from the user (i.e. integer input only)

Function typecheck(ByVal input As String) As Boolean

       Try

           Convert.ToInt32(input)

           [tex]Return\ True[/tex]

       [tex]Catch\ ex\ As\ Exception[/tex]

           [tex]Return\ False[/tex]

       End Try

   End Function

It returns true if the input is integer and false, if otherwise.

Next, double-click on the "Add" button and write the following lines of code:

Dim num1 As String

       num1 = txtNum1.Text

       If num1 IsNot String.Empty Then

           If typecheck(num1) Then

               [tex]ListBox1.Items.Add(num1)[/tex]

               [tex]txtNum1.Text = String.Empty[/tex]

           Else

               [tex]MsgBox("Only[/tex] [tex]Integer[/tex] [tex]Inpu t")[/tex]

               [tex]txtNum1.Text = String.Empty[/tex]

           [tex]End\ If[/tex]

       Else

           [tex]MsgBox("Box[/tex] [tex]can\ not\ be\ empty")[/tex]

           [tex]txtNum1.Text = String.Empty[/tex]

       [tex]End\ If[/tex]

Next, double-click on the "Display" button and write the following lines of code:

If ListBox1.Items.Count > 0 Then

           [tex]Dim\ max1, max2\ As\ Integer[/tex]

           max1 = Convert.ToInt32(ListBox1.Items(0))

           max2 = Convert.ToInt32(ListBox1.Items(0))

           [tex]For\ count\ = 0\ To\ ListBox1.Items.Count - 1[/tex]

               If Convert.ToInt32(ListBox1.Items([tex]count[/tex])) >= max1 Then

                   max1 = Convert.ToInt32(ListBox1.Items([tex]count[/tex]))

               [tex]End\ If[/tex]

           Next

           [tex]For\ count\ = 0\ To\ ListBox1.Items.Count - 1[/tex]

               If Convert.ToInt32(ListBox1.Items([tex]count[/tex])) >= max2 And Convert.ToInt32(ListBox1.Items([tex]count[/tex])) < max1 Then

                   max2 = Convert.ToInt32(ListBox1.Items([tex]count[/tex]))

               [tex]End\ If[/tex]

           Next

           MsgBox("Highest Scores: " + max1.ToString() + " " + max2.ToString())

           MsgBox("[tex]Total[/tex]: " + ListBox1.Items.Count.ToString())

       [tex]End\ If[/tex]

       ListBox1.Items.Clear()

Tech A states that modern vehicles use asbestos as the brake material. Tech B states that asbestos is no longer used in brakes. Who is correct?

Answers

Answer:

Tech A is correct.

Explanation:

The modern day vehicles have brakes system equipped with asbestos. It is a mineral which is a kind of fibrous crystal which enables the friction to stop the vehicle. The technician A specifies that the modern day automobiles use asbestos for their brake system.

Answer:

correct answer is Tech B.

Explanation:

just took the test

What are some study habits that you practice? Check all that apply.
studying with friends
studying on a regular schedule
taking breaks while studying
getting good sleep
studying in a quiet area

Answers

Answer:

studying in quiet place

Taking breaks

Reading from notes

good sleep

eating healthy foods

group study

studying on regular schedule

revision

Some study habits that you should practice are studying with friends, studying on a regular schedule, taking breaks while studying, getting good sleep, and studying in a quiet area. All options are correct.

What are good studying habits?

Effective study techniques can be used by someone who wants to get good scores. Summarizing, limiting distractions, taking breaks, and memorization are some good study techniques.

Several good study practices include: When studying, summarize your notes, avoid studying when you're sleepy, memorize your notes, limit distractions, and take breaks.

Study habit is an action such as reading, taking notes, holding study groups which the students perform regularly and habitually in order to accomplish the task of learning.

Therefore, the correct options are a, b, c, d, and e.

To learn more about studying habits, refer to the link:

https://brainly.com/question/14735769

#SPJ5

a body performing Shm has a velacity of 12m/s when the displacement is 100mm the displacement
measured from the mid point calculate the frequency and amplitude of motion what is the acceleration when displacement is 75mm​

Answers

Answer:

vjcyfuy

Explanation:

yjvjy

When designing code, which of the following best describes the purpose of a Post Mortem Review?

To obtain feedback on the code
To translate pseudocode to program code
To use code only one time
To check if others have the same code

Answers

Answer:

4

Explanation:

to check if others have the same code

when computer network are joined together they form a bigger network called the​

Answers

Answer:

A WAN can be one large network or can consist of two or more lans connected together. The Internet is the world's largest wan.

Explanation:

Which view allows the user to see the source code and the visual representation simultaneously? to see the source code and the visual representation simultaneously? ​

Answers

Answer:

Split view.

Explanation:

HTML is an acronym for hypertext markup language and it is a standard programming language which is used for designing, developing and creating web pages.

Generally, all HTML documents are divided into two (2) main parts; body and head. The head contains information such as version of HTML, title of a page, metadata, link to custom favicons and CSS etc. The body of the HTML document contains the contents or informations of a web page to be displayed.

Split view allows the user to see the source code and the visual representation simultaneously.

It can be used in graphic design software such as Adobe Dreamweaver to get a side-by-side view of both the source code and code layout modules or design and source code.

For example, a user with a dual screen monitor can use the split view feature to display the design on monitor while using the other to display the source code.

Which code segment results in "true" being returned if a number is odd? Replace "MISSING CONDITION" with the correct code segment.

a) num % 2 == 0;
b) num % 2 ==1;
c) num % 1 == 0;
d) num % 0 == 2;

Answers

Answer:

Which code segment results in "true" being returned if a number is odd? Replace "MISSING CONDITION" with the correct code segment.

Explanation:

num % 2 ==1;

What is the reddish-brown substance in the water?

Answers

Answer:

iron

Your water might be affected by iron, which is a commonly-occurring constituent of drinking water. Iron tends to add a rusty, reddish-brown (or sometimes yellow) color to water. If the color is more black than red, your water might contain a combination of iron and manganese.

the substance is iron in the water

does technology shape society or does society shape technology?

Answers

Answer:

Both. Society creates needs, these needs have to be met. Innovative people then meet the challenge because society says “we’ll compensate you if you can figure this out” and so the race begins. When that technology is developed, and the need is met, the technology inspires society to develop new wants and needs and so the cycle begins anew. Consider the biggest technologies in Human history: The wheel, created ancient civilization because it allowed for transport; The clock and calendar, allowing societies to develop schedules for all of their activities; Writing, allowing information to be passed down accurately from generation to generation; Farming, eliminating the need for civilization to be nomadic; Education systems, allowing for the standards of professionalism to be raised and specialized people to be created; fast-forward to the Industrial Age with the Steam Engine and Coal power plant; fast-forward again to the development of flight; fast-forward again to the atomic bomb and the first computer; etc.

Explanation:

Type the correct answer in the box. Spell all words correctly.
After the filming is finished, Rachel is responsible for arranging individual shots in a proper sequence. Which role is she playing
Rachel as playing the role of a(n)

Answers

Answer:

editor

Explanation:

I just took the test and got it right.

Can software work without Hardware? Why?

Answers

Answer:

No

Explanation:

Software requires hardware to run. Think about a computer, you can't have windows without having the computer. Software is programmed to run on hardware.

Give 2 examples of how technology/AI has helped to achieve the SDGs.​

Answers

Answer:

Although AI-enabled technology can act as a catalyst to achieve the 2030 Agenda, it may also trigger inequalities that may act as inhibitors on SDGs 1, 4, and 5. This duality is reflected in target 1.1, as AI can help to identify areas of poverty and foster international action using satellite images5.

n is assisting immensely to serve all these needs. For example, digital e-health solutions such as 'mhealth' and remote diagnostics using telemedicine services have contributed significantly to improving access to healthcare facilities, reducing neonatal mortality, and providing better health coverage

Which code will allow Jean to print I like to code! on the screen?

Print ("I like to code!")
Print (I like to code!)
Print ("I like to code!)
Print = I like to code!

Answers

Answer:

4

Explanation:

Print=I like to code! which it is good

Answer:

Print ("I like to code!")

Explanation:

If this is python, then this is the correct answer, you should specify which programming language this is in when you post it.

Build a class and a driver for use in searching your computer’s secondary storage (hard disk or flash memory) for a specific file from a set of files indicated by a starting path. Lets start by looking at a directory listing. Note that every element is either a file or a directory.
Introduction and Driver
In this assignment, your job is to write a class that searches through a file hierarchy (a tree) for a specified file. Your FindFile class will search a directory (and all subdirectories) for a target file name.
For example, in the file hierarchy pictured above, the file "lesson.css" will be found once in a directory near the root or top-level drive name (e.g. "C:\") . Your FindFile class will start at the path indicated and will search each directory and subdirectory looking for a file match. Consider the following code that could help you build your Driver.java:
String targetFile = "lesson.css";
String pathToSearch ="
C:\\WCWC"; FindFile finder = new FindFile(MAX_NUMBER_OF_FILES_TO_FIND);
Finder.directorySearch(targetFile, pathToSearch);
File Searching
In general, searching can take multiple forms depending on the structure and order of the set to search. If we can make promises about the data (this data is sorted, or deltas vary by no more than 10, etc.), then we can leverage those constraints to perform a more efficient search. Files in a file system are exposed to clients of the operating system and can be organized by filename, file creation date, size, and a number of other properties. We’ll just be interested in the file names here, and we’ll want perform a brute force (i.e., sequential) search of these files looking for a specific file. The way in which we’ll get file information from the operating system will involve no ordering; as a result, a linear search is the best we can do. We’d like to search for a target file given a specified path and return the location of the file, if found. You should sketch out this logic linearly before attempting to tackle it recursively.
FindFile Class Interface
FindFile(int maxFiles): This constructor accepts the maximum number of files to find.
void directorySearch(String target, String dirName): The parameters are the target file name to look for and the directory to start in.
int getCount(): This accessor returns the number of matching files found
String[] getFiles(): This getter returns the array of file locations, up to maxFiles in size.
Requirements
Your program should be recursive.
You should build and submit at least two files: FindFile.java and Driver.java.
Throw an exception (IllegalArgumentException) if the path passed in as the starting directory is not a valid directory.
Throw an exception if you've found the MAX_NUMBER_OF_FILES_TO_FIND and catch and handle this in your main driver. Your program shouldn't crash but rather exit gracefully in the unusual situation that we've discovered the maximum number of files we were interested in, reporting each of the paths where the target files were found.
The only structures you can use in this assignment are basic arrays and your Stack, Queue, or ArrayList from the previous homeworks. Do not use built-in data structures like Java's ArrayList. To accomplish this, put in the following constructor and method to your ArrayList, Stack, or Queue:
public ArrayList(Object[] input) { data = input;
numElements = input.length;
}
public Object get(int index) {
return data[index];
}

Answers

Answer:

hxjdbjebjdbdubainsinnsubd jdn dkdjddkndjbdubdb su djsbsijdnudb djdbdujd udbdj. djdjdjidndubdu dubdjdbdinndjndidn s dj dudbdjubd dujdjjdjdb djdbdjd udbdudb jndjdbudbdue idbd dudbid d dujejdunebudbdjdj d

The Payroll Department keeps a list of employee information for each pay period in a text file. The format of each line of the file is the following: Write a program that inputs a filename from the user and prints to the terminal a report of the wages paid to the employees for the given period. The report should be in tabular format with the appropriate header.

Answers

Answer:

import pandas as pd

filename = input("Enter file name with the extension included: ")

data = {}

with open("filename", "r") as file:

   content = file.readlines()

   for line in content:

       line_list = line.strip().split(" ")

       data[line_list[0]] = line_list[1] * line_list[2]

       del line_list

report = pd.DataFrame(list(data.items()), columns = ["lastname", "wages paid"])

print(report)

Explanation:

The python module prompts the user for the file name and opens the text file to extract the employee data with the python open function. It iterates over the file content and saves the last name and the wages paid to the employees ( the hours worked multiplied by the hourly rate) in the dictionary "data".

The dictionary is converted to a dataframe with the Pandas python package and displays the data in tabular format on the screen.

Following are the required code to make a report in tabular format by using the appropriate headers:

Python code:

file_name = input('Enter input filename: ')#defining a variable file_name that inputs file value

try:#defining try block that uses thr open method to open file

  file = open(file_name, 'r')#defining file variable that opens file

except:#defining exception block when file not found

  print('Error opening file ' , file_name)#print message

  exit()#calling exit method to close program

print('{:<12s} {:>10s} {:>10s}'.format('Name', 'Hours', 'Total Pay'))#using print method to print headers

for l in file.readlines():#defining loop that holds file value and calculate the value

  name, hour, wages = l.split()#defining variable that holds the value of file

  hour = int(hour)#holiding hour value

  wages = float(wages)#holiding wages value

  total = hour * wages#defining variable total variable that calculates the total value

  print('{:<12s} {:>10d} {:>10.2f}'.format(name, hour, total))#print calculated value with  message

file.close()#close file

Required file (data.txt) with the value:

Database 34 99

base 30 90

case 34 99

Program Explanation:

Defining the variable "file_name" that uses the input method to input the file name with an extension.Using the exception handling to check the file, with using the try block and except block.In the try block check file, and in except block print message with the exit method when file not found.In the next line, a print method has used that prints the header and uses a loop to read the file value.Inside the loop, a header variable is used that splits and holds the file value, calculates the value, prints its value with the message, and closes the file.

Output:

Please find the attached file.

Find out more information about the Program code here:

brainly.com/question/18598123

A local company is expanding its range from one state to fifteen states. They will need an advanced method of online communication and someone to design an advanced and thorough database to store a lot of information. Who should they hire to assist with both these goals?

a Database Architect and a Computer System Analyst who focuses in interactive media
a Computer Hardware Engineer and a Software Developer who focuses in interactive media
a Software Developer and a Web Developer who focuses in programming and software development
a Web Administrator and a Computer System Analyst who focuses in information support and services

Answers

Answer:

the answer is C,a a Software Developer and a Web Developer who focuses in programming and software

Brainlist me if im right

Answer:

C is correct

Explanation:

Directions: Identify the measuring devices and write its functions.
Write your answer in the space provided.

Answers

Answer:

1.weigher - to weigh meat

2.

3. scissor - to cut things

4. tongs

5.measuring cups - to measure dry ingredients like flour

6 temperature - measures temperature

7 measuring spoons

By watching the expression Mynum=4 * mynum + c from a programming language, what can we say about this language?


This is not an imperative programming language


This is a case sensitive language


This is not a case sensitive language


We can not determine if this language is case-sensitive or case-insensitive

Answers

Answer:

We can not determine if this language is case-sensitive or case-insensitive

Explanation:

It is unclear wether Mynum and mynum are intended to be different variables or the same variable. Both would work.

Having said that, mixing case like this is always a bad design.

Answer:

we do not determine If this language is case

Why is hydroelectricity counted as a conventional source of energy.. People say conventional sources of energy is the same as non-renewable energy sources

Answers

People have been using the energy of flowing or falling water for centuries before electricity was developed into a practical means of transporting energy. The first hydroelectric plant (at least in the U.S.) was built at Niagara Falls in 1895. Many areas of the world still get the majority of their power from hydro facilities.

Hydro is also “conventional” in the sense that it can be controlled in more or less the same way as thermal plants — its output can be adjusted over a wide range to match demand. Wind and solar, on the other hand, only produce when the wind blows or the sun shines. Of course, hydro can only produce as long as there’s rain or snowmelt to supply the reservoirs, but that’s on a much longer time scale; over hours or days, hydro capacity is very predictable.
Other Questions
Which basic design principle is primarily made up of lines? Q11 Ratio and Proportion3 pointsThere are some flowers in a shop.Each flower is either red or yellow.Each flower is either a tulip or a rose.For these flowersnumber of tulips : number of roses = 6:5number of red tulips : number of yellow tulips = 3:4Work out the proportion of the flowers that are red tulips.Nyour answer Which layers plays the greatest role in the movement of plate tectonics? A) outer coreB) mantle C) crust D) inner core A skier skies down a slope with an average speed of 50 km/s. How far does the skier travel in 5 minutes? Which tab of the ribbon should you go to for removing gridlines on a worksheet? 2.1n -5.31 = 18 Question : Find n Pls Answer !! Plz help Im begging plz PLEASE HELP ASAP WILL GIVE BRAINLIEST TO WHOEVER ANSWERS FIRST!!!!Because of the forces acting on the cart, it willA. not accelerate B. accelerate upwards C. accelerate to the right D. accelerate to the left please answer, giving brainliest!! 2x-4 is less then or equal to 12 Use the most appropriate word(s) to complete the following sentence. give an example of two or more like terms I'll mark as brainliest! Please help! What was the Bataan Death March? Why did the march take place? What does DNA replication mean and why is it important? All of the following are elements excepta.waterb.oxygenc.nitrogend.hydrogen The word "plurality" means ___. a plan or scheme that is offered as a solution to a problem to consult with; to deliberate with others to find a solution having anonymity among candidates, having the most votes but not having a majority many of one thing Khan Academy: Right triangles and trigonometry 2 can you find the area for this? What do you think are 3 major reasons why accidents occurs on the road while driving?