Compete the function checkBoard that we began in lecture earlier this week for checking a 3-by-3 Tic-Tac-Toe board. If needed, you can review the rules of Tic-tac-toe here.
Your function will receive a 3-by-3 two-dimensional array of characters, with each space containing an X, O, or a . if nobody has played in that position. You should return the char X if X has won the game, O if O has won the game, and . if neither player has won. Note that you should only check for vertical and horizontal winners, not diagonals. (Checking for diagonals will actually cause your submission to fail our tests.)
The passed board may be null. In that case you should return that neither player has won.
Starting Code:
char[][] currentBoard =
{{'X', 'O', '.'}, {'O', 'X', '.'}, {'O', '.', 'X'}};
// Return the winner if the game is over, '.' otherwise
static char checkBoard(char[][] board) {

Answers

Answer 1

To compete the function checkBoard that we began in lecture earlier this week for checking a 3-by-3 Tic-Tac-Toe board, check the code given below.

What is a function?

The role of a function within a larger code structure is frequently used to define this type of coding unit. To be more precise, a function is a piece of code that processes a variety of inputs, many of which are variables, and generates results that can be changed in terms of variable values or operations based on the inputs.

//Java program

public class TicTac {

   public static void main(String args[]) {

       char[][] currentBoard =

           {{'X', 'O', '.'}, {'O', 'X', '.'}, {'O', '.', 'X'}};

       

       char status = checkBoard(currentBoard);

       if(status == '.')System.out.println("neither player has won");

       else System.out.println("player "+status+" has won");

   }

   

   static char checkBoard(char[][] board) {

       if(board == null)return '.';

       char row = rowCrossed(board);

       if(row !='.')return row;

       char column = columnCrossed(board);

       if(column !='.')return column;

       return '.';

   }

   //check for vertical winner

   private static char columnCrossed(char[][] board) {

        for (int i=0; i<board.length; i++)

           {

               if (board[0][i] == board[1][i] &&

                   board[1][i] == board[2][i] &&  

                   board[0][i] != '.')

                   return board[0][i];

           }

           return'.';

   }

   //check for horizontal winner

   private static char rowCrossed(char[][] board) {

       for (int i=0; i<board.length; i++)

       {  

           if (board[i][0] == board[i][1] &&

               board[i][1] == board[i][2] &&  

               board[i][0] != '.')

               return board[i][0];

       }

       return '.';

   }

}

Learn more about function

https://brainly.com/question/20476366

#SPJ4


Related Questions

5. Lael is always on the lookout for qualified students who might be interested in running for office in student groups. A student is qualified to be an officer if they have already been elected to office in a student group; and if they have not, they are qualified if they have been certified financially. Populate the Officer Qualified column as follows

Answers

At Illinois' Valerian State College's Student Activities Office, Lael Masterson works.

Who was Lael?

Lael wants your assistance to finish the workbook because she has begun gathering data on Valerian State students interested in helping to manage student organizations.

Go to the worksheet for Student Representatives. To determine a student's possible base hourly rate (which is based on the number of years of post-secondary education), put the following calculation in cell E2 using the function.

Look for the Post-Secondary Years value using a structured reference. Using an absolute reference, get the value from the table's second row in the range P13:U14.

Therefore, At Illinois' Valerian State College's Student Activities Office, Lael Masterson works.

To learn more about Lael, refer to the link:

https://brainly.com/question/9502634

#SPJ1

Computers now help a wide range of office workers complete their tasks more quickly and efficiently. For example, ______ use sophisticated software to track income and expenses for the company.

Answers

Today, a variety of office workers use computers to do their responsibilities more quickly and effectively. For example, accountants use sophisticated software to track income and expenses for the company.

In general, the phrase "income" refers to the sum of money, assets, and other transfers of value obtained over a predetermined period of time in exchange for goods or services. Their salary from a job serves as an example of how much money many people make. Income is any money that a person or organization receives as a result of labour, the production of products and services, or the investment of capital. Although not all forms of revenue are salaries, the pay one receives from their employer qualifies as one of them. Profits, dividends, shares, salaries, investments, and other forms of income are examples. The surplus amount that remains after all costs have been deducted from the revenue is known as the profit, in basic terms. The actual amount of money a corporation makes is known as income.

Learn more about income here

https://brainly.com/question/28390284

#SPJ4

why it is important to follow the procedures and techniques inmaking paper mache?


pleaseee help i needed it right now​

Answers

Answer:

otherwise it will go wrong

Describing the Print Pane
Which element can be changed using the Print pane? Check all that apply.
the border of the slides
the printer to print from
the specific pages to print
the color of the printed material
the orientation of the presentation

Answers

The elements that can be changed using the Print pane are:
- The printer to print from
- The specific pages to print
- The orientation of the presentation.

The border of the slides and the color of the printed material are not elements that can be changed using the Print pane.

A business analyst is assisting a team that is developing functional requirements for a new cloud-based network security operations center. Which of the following staff members should she interview? O Chief Operations Officer O Network Security engineers O Chief Information Officer O Cloud services vendor

Answers

Pay close attention to the interviewer. Make certain that you respond to the question posed by the interviewer. Connect your abilities, successes, and goals to the requirements of the firm. When feasible, use the SARA approach to provide particular instances (Situation, Action, Result, Application).

Employers may frequently request that an HR recruiter conduct an initial interview to evaluate whether a candidate is really interested in the role and a suitable match for the firm. This makes sense since the firm will not want to spend the time of its employees—or your time—if you are not a suitable fit. According to Lumen Learning, the interviewee is the one who conducts the interview and spends their time answering questions. The interviewer, on the other hand, always asks the questions. Screening interviews, stress interviews, behavioral interviews, the audition, group interviews, telephone, lunch interviews, video interviews, and sequential interviews are the nine types of interviews.

Learn more about firm from here;

https://brainly.com/question/14960313

#SPJ4

C++ Program.....
Complete the function to replace any period by an exclamation point. Ex: "Hello. I'm Miley. Nice to meet you." becomes:
"Hello! I'm Miley! Nice to meet you!"
#include
#include
using namespace std;
void MakeSentenceExcited(string& sentenceText) {
/* Your solution goes here */
}
int main() {
string testStr;
testStr = "Hello. I'm Miley. Nice to meet you.";
MakeSentenceExcited(testStr);
cout << testStr;
return 0;
}

Answers

Here is a solution in C++ that can replace any period with an exclamation point:

#include <iostream>#include <string>

using namespace std;

void MakeSentenceExcited(string& sentenceText)

{

   for (int i = 0; i < sentenceText.length(); i++)

   {

       if (sentenceText[i] == '.')

           sentenceText[i] = '!';

   }

}

int main()

{

   string testStr;

   testStr = "Hello. I'm Miley. Nice to meet you.";

   MakeSentenceExcited(testStr);

   cout << testStr;

   return 0;

}

Learn more about programming:

https://brainly.com/question/26134656

#SPJ4

Write on the system application in preparing general cubic equation analytically for machine computation.

Answers

Answer:

One possible application of a system for preparing a general cubic equation for machine computation is in the field of numerical analysis. Numerical analysts often need to solve equations with complex algebraic structures, such as cubic equations, in order to model and analyze real-world phenomena.

To prepare a general cubic equation for machine computation, a system would need to take a mathematical expression representing the equation as input and output a form that can be easily understood and processed by a computer. This might involve using mathematical transformations to simplify the equation and make it easier to solve.

Once the equation is in a suitable form, it can be fed into a computer program or algorithm that uses numerical methods to find approximate solutions. These solutions can then be used to make predictions or draw conclusions about the phenomena being studied.

Overall, the use of a system for preparing general cubic equations for machine computation can help researchers and analysts to quickly and accurately solve complex equations and make more informed decisions based on their findings.

(please mark as brainliest!)

Explanation:

Numerical analysis is one area where a system for creating a general cubic equation for machine computing might be put to use. The equation might then be transformed mathematically to make it simpler and easier to answer.

What cubic equation analytically for machine computation?

A system would need to accept a mathematical expression that represents the equation as input and output the general cubic equation in a way that a computer can readily understand and interpret.

The equation can be entered into a computer program or algorithm that employs numerical techniques to obtain approximations of solutions once it has been placed into a proper form.

Therefore, To represent and evaluate real-world phenomena, numerical analysts frequently have to solve equations with intricate algebraic structures, such as cubic equations.

Learn more about cubic equation here:

https://brainly.com/question/1727936

#SPJ2

2. Hashing I
Given below is a hash function. Which of the following pairs will have the same hash value?
Choose all that apply.
hashFunction (string s) {
int hash = 0;
for (int i=0;i hash += (i+1)*(s[i]-'a'+1);
}
return hash;
4

Answers

The correct answer is C) "abcd" and "dcba".

Why is this hash value selected?

The given hash function calculates the hash value of a string s by iterating through each character in the string and adding up the product of the position of the character in the string and the ASCII code of the character plus one. The ASCII code of 'a' is 97, so s[i]-'a'+1 gives the value of the character as an integer starting from 1.

With this information, we can determine which of the following pairs will have the same hash value:

A) "abc" and "bcd"B) "abc" and "cba"C) "abcd" and "dcba"

A) "abc" and "bcd" will not have the same hash value because the order of the characters matters in the calculation of the hash value.

B) "abc" and "cba" will not have the same hash value because the order of the characters matters in the calculation of the hash value.

C) "abcd" and "dcba" will have the same hash value because even though the order of the characters is different, the product of each character's position and its ASCII code plus one will be the same for both strings.

Therefore, the correct answer is C) "abcd" and "dcba".

Read more about hash function here:

https://brainly.com/question/15123264

#SPJ1

Which of the following is a positional argument?
a) ABOVE
b) MIN
c) AVERAGE
d) MAX

Answers

D) MAX is a positional argument

The memory used by the CPU to temporarily hold data while processing is called _______. random access memory central processing memory the hard disk long-term access memory

Answers

Answer:

primary memory

Explanation:

it holds temporarily data for processing in the RAM and ROM

Answer:

random access memory

Explanation:

Medical assistant, Jackie, was downloading some patient information on cerebral palsy from the Internet. While downloading, Jackie noticed the computer was working slower than usual. When Jackie clicked on a web site that she needed to review, the computer would not take her to the designated website. Instead, the computer took her to an alternative site. Jackie soon noticed that even when she was working offline using a word processing software program, the computer was acting up. When she went to
the medical software, she could not bring up patient account information.


Question:

What happened and what should Jackie do?

Answers

The thing that happened is that she has been a victim of system attack and the right thing for Jackie to do is to have an antivirus that can block the malicious  app obstructing her.

What is a system hack?

System hacking is known to be when one's computer is said to be compromise in regards to computer systems and software.

Note that The thing that happened is that she has been a victim of system attack and the right thing for Jackie to do is to have an antivirus that can block the malicious  app obstructing her.

Learn more about system hack from

https://brainly.com/question/13068599

#SPJ1

Why choose us?
We are providing opportunities to move your personal or commercial belonging to the new places in an easy
way. Some of our other highlights are:
Good customer support
Highly expert and trained staff
Best packaging solutions
A Licensed company (ISO 9001:2008 Certified)
More than 14 years of industry experience
M

Answers

Answer:

competitive pricing

Flexible scheduling options

Insured and bonded services

Modern equipment and technology

Efficient and timely delivery

Safe and secure transportation

Customized solutions for specific needs

Satisfaction guarantee

These are some of the reasons why you should choose us for your moving needs. Our customer support is top-notch and our staff is highly expert and trained, ensuring that your belongings are in good hands. We offer the best packaging solutions and are an ISO 9001:2008 certified company, which guarantees our commitment to quality. With more than 14 years of industry experience, we have the knowledge and expertise to handle any type of move. We offer competitive pricing, flexible scheduling options and are insured and bonded, giving you peace of mind that your belongings are protected. Our modern equipment and technology, efficient delivery and safe transportation ensures that your belongings will be moved safely and securely. We also offer customized solutions for specific needs and a satisfaction guarantee.

Select the correct answer.
Vivian used an effect in her audio editing software that made the loud parts in her audio softer while ignoring the quieter parts. Which effect did Vivian use?
A.
noise reduction
B.
normalize
C.
amplify
D.
compress

Answers

Answer:

A. noise reduction

Explanation:

noise reduction reduces the loud sounds and makes it low, also noted that the low sounds are kept the same meaning its definitely noise reduction.

Extra's:

amplify - increases the strength of a sound.compress - makes and affects both low and high sound by making them averagely highnormalise - to get the maximum volume.

According to Jonathan Zittrain, technology that cannot be modified by the user who wishes to create new uses for it is:_______

a. Sterile
b. Open
c. Generative
d. Clean

Answers

Answer:

a. Sterile

Explanation:

From a lecture that was given by jonathan zittrain, he described a sterile technology as a type of technology that will not develop. And going further he says that a y third party cannot do any sort of coding for such a technology. It works the same way always. He described it in these words 'what you see is what you get'.

Ming wants to store photos in a way that won't use up a lot of memory
on her devices and will be accessible from any device. How should
they be stored?
O in the cloud
on a USB stick
on the hard drive
on systems software

Answers

Answer:

in the cloud

Explanation:

it is an intenet storage which store information not on Your device to consume some of Your space rather on the internet

Answer:

a

Explanation:

Here are some instructions in English. Translate each of them into the Simple Machine language.
a. LOAD register 3 with the hex value 56.
b. ROTATE register 5 three bits to the right.
c. JUMP to the instruction at location F3 if the contents of register 7 are equal to the contents of register 0.
d. AND the contents of register A with the contents of register 5 and leave the result in register 0.

Answers

Answer:

a. LOAD register 3 with the hex value 56

2356

b. ROTATE register 5 three bits to the right.

A503

c. JUMP to the instruction at location F3 if the contents of register 7 are equal to the contents of register 0

B7F3

d. AND the contents of register A with the contents of register 5 and leave the result in register 0

80A5

Explanation:

To translate the English instructions to Machine language we have to consider Appendix C of A Simple Machine Language sheet.

a. LOAD register 3 with the hex value 56

The OP code for LOAD is:

2

Operand is:

RXY

Description is:

LOAD the register R with the bit pattern XY.

In a.

3 represents R

56 represents XY

Now following this we can join OP and Operand together to translate a.

2356

b. ROTATE register 5 three bits to the right

The OP code for ROTATE is:

A

Operand is:

R0X

Description is:

ROTATE the bit pattern in register R one bit to the right X times. Each time place the  bit that started at the low-order end at the high-order end

In b.

5 represents R

three represents X

Now following this we can join OP and Operand together to translate b.

A503

c. JUMP to the instruction at location F3 if the contents of register 7 are equal to the contents of register 0.

The OP code for JUMP is:

B

Operand is:

RXY

Description is:

JUMP to the instruction located in the memory cell at address XY if the bit pattern in  register R is equal to the bit pattern in register number 0.

In c.

7 represents R register

F3 represents XY

Now following this we can join OP and Operand together to translate c.

B7F3

d. AND the contents of register A with the contents of register 5 and leave the result in register 0.

The OP code for AND is:

8

Operand is:

RST

Description is:

AND the bit patterns in registers S and T and place the result in register R

In d.

A represents register S

5 represents register T

0 represents register R

Now following this we can join OP and Operand together to translate d.

80A5

Is this right? I’m not sure

Is this right? Im not sure

Answers

Yeah indeed it is. Good job!!

What is social displacement? Question 22 options: the gained efficiency in being able to communicate through technology , the act of moving files from your computer to an external site , the risk of being "unfriended" by someone on social media , the reduced amount of time we spend communicating face to face

Answers

Answer: The Answer should be D

Explanation: It's the definition.

100 point question, with Brainliest and ratings promised if a correct answer is recieved.
Irrelevant answers will be blocked, reported, deleted and points extracted.

I have an Ipad Mini 4, and a friend of mine recently changed its' password ( they knew what the old password was ). Today, when I tried to login to it, my friend claimed they forgot the password but they could remember a few distinct details :

- It had the numbers 2,6,9,8,4, and 2 ( not all of them, but these are the only possible numbers used )
- It's a six digit password
- It definitely isn't 269842
- It definitely has a double 6 or a double 9

I have already tried 26642 and 29942 and my Ipad is currently locked. I cannot guarantee a recent backup, so I cannot reset it as I have very important files on it and lots of memories. It was purchased for me by someone very dear to me. My question is, what are the password combinations?

Help is very much appreciated. Thank you for your time!

Answers

Answer: 266299         669922         292629        969622        Also just saying did you backup your files to the cloud?  If not you can buy a usb-c flash drive or a lighting cable flashdrive. Best Luck.

Explanation:

All of the following are examples of software, expect

Video games

Speakers

web browsers

photo editors

Answers

Answer:

speakers

Explanation:

speakers are tangible objects compared to video games, web browsers, and photo editors, which are programs that run on a computer

C++ Perform the task specified by each of the following statements:

a) Write the function header for function zero that takes a long integer array parameter bigIntegers and does not return a value.

b) Write the function prototype for the function in part (a).

c) Write the function header for the function add1AndSum that takes an integer array parameter oneTooSmall and returns an integer.

d) Write the function prototype for the function described in part (c).

Answers

Using the knowledge in computational language in C++ it is possible to write the code that write the function header for function zero that takes a long integer array parameter bigIntegers and does not return a value.

Writting the code:

a) void zero (long bigIntegers[], int size) //function header

{

//Body of function

}

b) void zero (long [], int); //function prototype

c) int add1AndSum (int oneTooSmall[], int size)//function header

{

//Body of function

}

d) int add1AndSum (int [], int); //function prototype

See more about C++ at brainly.com/question/29225072

#SPJ1

C++ Perform the task specified by each of the following statements: a) Write the function header for

Have you ever stopped to really think about how you spend your day? A day is made up of 86,400 seconds, which is 1,440 minutes—or 24 hours, if you want the simple math. This assignment will help you evaluate a day in your life.

Step One: Create Your Spreadsheet
Step Two: Log Your Activities
Step Three: Calculations
Step Four: Analysis
Step Five: Save Your Spreadsheet

Answers

The  Spreadsheet of my daily activities are:

Praying  - 10 minutesPreparation of breakfast  - 10 -30 minutesTaking my bath - 10 minutesGoing to work - 1 hourEating lunch - 10 minutesGoing home from work   - 1 hourMaking dinner - 10 -30 minutesRelaxing watching movies - 3 hoursReading my bible - 1 hour Praying and sleeping - 30 minutes

Why is a daily routine is important?

A routine can be beneficial in a number of ways, such as: Lower levels of stress are linked to better mental health, more free time, and decreased anxiety. Lack of effective stress management methods can increase your risk for heart disease and have a bad influence on your general health. You'll feel refreshed after getting more rest.

Therefore, The ability to find a good time management technique depends on a person's personality, level of self-discipline, and capacity for self-motivation. This spreadsheet introduces tried-and-true techniques to help Venturers better manage the events in their lives in respect to time.

Learn more about Spreadsheet from

https://brainly.com/question/26919847
#SPJ1

Have you ever stopped to really think about how you spend your day? A day is made up of 86,400 seconds,

Which statements are true about the OSI reference model? The OSI model developed in the 1970s and 1980s. OSI stands for Open Systems Interface. OSI developed as two independent projects. These projects merged in 1980. The OSI reference model consists of seven layers. The model numbers these layers from 0 to 6. A layer can communicate with the layer above and below it. However, any layer can communicate with any other layer on another device.

Answers

Regarding the OSI reference model, the following statements are accurate: The Open Systems Interconnection, not Open Systems Interface, concept was created in the 1970s and 1980s.

Which of the following statements on the differences between the TCP/IP reference model and the OSI reference model is true?

Transmission Control Protocol/IP (TCP/IP) and Open Systems Interconnection (OSI) are acronyms for different protocols. Whereas OSI takes a vertical approach, TCP/IP uses a horizontal approach.

Which of the following claims about the OSI model is true?

Application, Presentation, Session, Transport, Network, Data Link, and Physical Layer are the seven levels of the OSI reference model. Open System Interconnect, or OSI for short, is a generic model.

To know more about OSI visit:-

https://brainly.com/question/25404565

#SPJ1

Jessica sees a search ad on her mobile phone for a restaurant. A button on the ad allows Jessica to click on the button and call the restaurant. This is a(n) Group of answer choices product listing ad (PLA) dynamic keyword insertion ad (DKI) click-to-call ad call-to-action ad (CTA)

Answers

It’s a click-to-call ad

The value of the expression X(X+Y) is X
O a. True
b. False

Answers

sorry I didn’t know this was Boolean math

I answered for regular math equations

A backup operator wants to perform a backup to enhance the RTO and RPO in a highly time- and storage-efficient way that has no impact on production systems. Which of the following backup types should the operator use?
A. Tape
B. Full
C. Image
D. Snapshot

Answers

In this scenario, the backup operator should consider using the option D-"Snapshot" backup type.

A snapshot backup captures the state and data of a system or storage device at a specific point in time, without interrupting or impacting the production systems.

Snapshots are highly time- and storage-efficient because they only store the changes made since the last snapshot, rather than creating a complete copy of all data.

This significantly reduces the amount of storage space required and minimizes the backup window.

Moreover, snapshots provide an enhanced Recovery Time Objective (RTO) and Recovery Point Objective (RPO) as they can be quickly restored to the exact point in time when the snapshot was taken.

This allows for efficient recovery in case of data loss or system failure, ensuring minimal downtime and data loss.

Therefore, to achieve a highly time- and storage-efficient backup solution with no impact on production systems, the backup operator should utilize the "Snapshot" backup type.

For more questions on Recovery Time Objective, click on:

https://brainly.com/question/31844116

#SPJ8

complete the following: 1. submit a program that trains with your best combination of optimizer and training parameters, and evaluates on the test set to report an accuracy at the end. 2. report the detailed architecture of your best model. include information on hyperparameters chosen for training and a plot showing both training and validation loss across iterations. 3. report the accuracy of your best model on the test set. we expect you to achieve over 90%.

Answers

Selecting the Most Effective Optimizer and Training ParametersYou can use a method known as hyperparameter tuning to determine the ideal blend of optimizer and training parameters. This entails methodically

Giving a machine learning model input data and changing its Training to reduce the discrepancy between the model's output and the true values is known as training the model. The objective is to maximise the model's capacity to predict new data with accuracy. To evaluate the model's performance and prevent overfitting, it is evaluated on a portion of the data known as the validation set during training. To determine the ideal model parameter combination for the particular job and dataset, hyperparameter tuning is performed. Once the model has been fully trained, it is assessed on a different test set to gauge how well it performs with fresh, untested data. A high test se  Training

Learn more about Training here:

https://brainly.com/question/26422036

#SPJ4

The following equation estimates the average calories burned for a person when exercising, which is based on a scientific journal article (source): Calories = ( (Age x 0.2757) + (Weight x 0.03295) + (Heart Rate x 1.0781) — 75.4991 ) x Time / 8.368 Write a program using inputs age (years), weight (pounds), heart rate (beats per minute), and time (minutes), respectively. Output the average calories burned for a person. Output each floating-point value with two digits after the decimal point, which can be achieved as follows: print('Calories: {:.2f} calories'.format(calories))

Answers

A Python program that calculates the average calories burned based on the provided equation is given below.

Code:

def calculate_calories(age, weight, heart_rate, time):

   calories = ((age * 0.2757) + (weight * 0.03295) + (heart_rate * 1.0781) - 75.4991) * time / 8.368

   return calories

# Taking inputs from the user

age = float(input("Enter age in years: "))

weight = float(input("Enter weight in pounds: "))

heart_rate = float(input("Enter heart rate in beats per minute: "))

time = float(input("Enter time in minutes: "))

# Calculate and print the average calories burned

calories = calculate_calories(age, weight, heart_rate, time)

print('Calories: {:.2f} calories'.format(calories))

In this program, the calculate_calories function takes the inputs (age, weight, heart rate, and time) and applies the given formula to calculate the average calories burned.

The calculated calories are then returned from the function.

The program prompts the user to enter the required values (age, weight, heart rate, and time) using the input function.

The float function is used to convert the input values from strings to floating-point numbers.

Finally, the program calls the calculate_calories function with the provided inputs and prints the calculated average calories burned using the print function.

The '{:.2f}'.format(calories) syntax is used to format the floating-point value with two digits after the decimal point.

For more questions on Python program

https://brainly.com/question/26497128

#SPJ8

3D graphics are based on vectors stored as a set of instructions describing the coordinates for lines and shapes in a three-dimensional space. What do these vectors form?
a. A bitmap graphic
b. A zipped file
c. A wireframe
d. All of the above

Answers

The vectors stored as a set of instructions describing the coordinates for lines and shapes in a three-dimensional space form option C: a wireframe.

What are the 3D graphics?

A wireframe may be a visual representation of a 3D question composed of lines and bends that interface a arrangement of focuses in a 3D space. It does not incorporate color or surface data  and is frequently utilized as a essential system for making more complex 3D models.

Subsequently, the right reply is choice (c) - a wireframe. option (a) - a bitmap realistic and alternative (b) - a zipped record are not tools as they are not related to the concept of 3D wireframes.

Learn more about 3D graphics from

https://brainly.com/question/27512139

#SPJ1

How do I code strings in java

Answers

Answer: Below

Explanation:

Prescribe variable as string, and anything assigned to it will be a string.
Example:
String java_string;
java_string = "Hello world";

Other Questions
On Monday you sent x number of text messages. On Tuesday you sent twice as many. On Wednesday you sent 12 more texts than you sent on Tuesday. On Thursday you sent half as many as you sent on Wednesday. Which expression represents the number of text messages you sent on Tuesday? Which expression represents the number of text messages you sent on Wednesday? Which expression represents the number of text messages you sent on Thursday? preston, an official for a state's department of safety, wants to show that the population mean speed of passenger vehicles traveling on a certain expressway is greater than the posted speed limit of 65mph. preston collects a random sample of 59 passenger vehicles traveling on the expressway and finds that the sample mean speed is 67.1mph with a sample standard deviation of 7.5mph. a client began antimalarial prophylaxis four days ago and reports a rash on the thorax and arms that emerged shortly after starting the medication. what is the nurse's best action? if you're building a video campaign and your goal is to grow brand consideration, why should you use video ad sequencing? in water photosynthetic organisms usually get for their carbon source? a.dissolved co2 b.bicarbonates c. dissolved carbonates d .all of these Unlike Earth, the planet Mars cannot support life. To give the planet Mars the ability to support life like ife on Earth, we would haveto find a way to change the planet'sA)atmosphere. B)SizeC)SurfaceD)temperature AssignmentAssuming you passed the Entrance of Cepres International University and decided to specialize in one of the fields of studies, name three job or career opportunities in the following: Public, NGO, and For-Profit Sectors.After your graduation, you have decided to establish a for-profit business, select one of the businesses mentioned under for-profit in question #1 and clearly express your ideas considering: Market Segmentation, Positioning, Targeting, Objectives of the Business, Existing problems, Market Size, and Market ShareDevelop a Mini Business Plan concerning question # 2 and external resources. What is active transport? A. A process that moves molecules from high concentration to low concentration. B. A process that moves water in and out of the cell with the concentration gradient until equilibrium is reached. C. A process that uses ATP to move molecules across a membrane and often against their concentration gradient. D. A process that transports materials in and out of the cell without energy. Dialation of a triangle please help me with this input output. Squeaky talks about her love of running. It is her special talent and she is proud of all the hard work she has put into being a better runner. She expresses disdain for people who pretend that they do not practice their talent or skill, and who prefer to have others believe that it is easy for them. Write a journal entry about your special talent or skill. Describe how you practice to become better at your skill. Does it come naturally, or do you have to work hard to achieve success?Your response should be about 150 words. Milton Corporation has 6 percent coupon bonds making annual payments with a YTM of 5.2 percent. The current yield on these bonds is 5.55 percent. How many years do these bonds have left until they mature? (Do not round intermediate calculations and round your answer to 2 decimal places, e.g., 32.16.)Maturity of bond ______ years Read the claim from paragraph 2.[O]nly if the United States occupies a position of pre-eminence can we help decide whether this new ocean will be a sea of peace or a new terrifying theater of war. . . .Which two statements best reflect how Kennedy supports this claim?(A) He suggests that landing on the Moon is just a small step on the way to exploring other planets.(B) He suggests that other nations are behind the United States in their quest to achieve space flight.(C) He notes that science and technology have no conscience, so they can be used for good or for evil.(D) He says that the United States has vowed to use scientific knowledge for the good of all people.(E) He notes that other countries have also had failures, but they have kept them secret.(F) He says that the United States has Gods blessing and will be protected on its dangerous journey. A car with a mass of 1200kg is moving at speed of 19m/sThe driver hits a parked van. The car comes to a stop when it hits the van and the van moves 3.4m until it stops.What's the applied force of the car on the van? A circle divided into 4 parts. 2 parts are shaded.Which fraction is equivalent to One-half? Use the diagram to help answer the question.One-fourthTwo-fourthsThree-fourthsFour-fourths The school of thought that defines psychology as a study of observable behavior is __________. what is the mass of 5mof cement of density 3000kg/m? If Chinese companies like Huawel plan to expand to the United States, they will need to adjust to Americans' higher tolerance for unpredictability. Based on what you know about the GLOBE project, what cultural dimension would this be? a. future orientation b. in-group collectivism c. humane orientation d. uncertainty avoidance e. assertiveness PLEASE HELP!! IM TIMED!! 13 POINTS! WILL MARK BRAINLIEST!! SCIENCE!!Which feature best distinguishes one form of electromagnetic energy from another?A. colorB. wavelengthC. surface temperatureD. distance traveled Nakul starts his journey to his school by scooter at 9 am and reaches his school at 1 pm. if he drives the scooter at a speed of 30 km/hr. By how much should he increase the speed of the scooter so that he can reach the school by 12 noon ?