Answer:
Could be a defect on the charge port for the Iphone s6. There are inexpensive way to fix that problem. Super cheap parts and kits to help online to buy.
To create a manual metric draft you should use: A. The architect scale B. The engineer scale C. The metric 1:100 scale
Answer:
Option C, The metric scale
Explanation:
The metric scale is used to draft manual metric draft drawings. The metric scale is generally represented as 1:100
Architect scale is used for interior and exterior dimensions of structures and buildings
Engineer's scale is used for detail drawings of structures referred to as working plans
Hence, option C is correct
find the summation of even number between (2,n)
Answer:
The program in python is as follows:
n = int(input("n: "))
sum = 0
for i in range(2,n+1):
if i%2 == 0:
sum+=i
print(sum)
Explanation:
This gets input n
n = int(input("n: "))
This initializes sum to 0
sum = 0
This iterates through n
for i in range(2,n+1):
This checks if current digit is even
if i%2 == 0:
If yes, take the sum of the digit
sum+=i
Print the calculated even sum
print(sum)
A palindrome is a string that reads the same from left to right and from right to left. Design an algorithm to find the minimum number of characters required to make a given string to a palindrome if you are allowed to insert characters at any position
Answer:
Explanation:
The following code is written in Python. It is a recursive function that tests the first and last character of the word and keeps checking to see if each change would create the palindrome. Finally, printing out the minimum number needed to create the palindrome.
import sys
def numOfSwitches(word, start, end):
if (start > end):
return sys.maxsize
if (start == end):
return 0
if (start == end - 1):
if (word[start] == word[end]):
return 0
else:
return 1
if (word[start] == word[end]):
return numOfSwitches(word, start + 1, end - 1)
else:
return (min(numOfSwitches(word, start, end - 1),
numOfSwitches(word, start + 1, end)) + 1)
word = input("Enter a Word: ")
start = 0
end = len(word)-1
print("Number of switches required for palindrome: " + str(numOfSwitches(word, start, end)))
management is as old as human civilization. justify this statement
Answer:
Indeed, management is as old as the human species, as human nature is itself dependent on the natural resources that it needs for its subsistence, therefore needing to exercise a correct administration of said resources in such a way as to guarantee that those resources can satisfy the greatest number of individuals. That is, the human, through the correct management of resources, seeks to avoid the scarcity of them.
I get an error message on my code below. How can I fix it?
import java.util.Scanner;
public class CelsiusToFahrenheit {
public static void main (String [] args) {
Scanner scnr = new Scanner(System.in);
double tempF;
double tempC;
System.out.println("Enter temperature in Celsius: ");
tempC = scnr.nextDouble();
System.out.print("Fahrenheit: ");
System.out.println(tempF);
return;
}
}
CelsiusToFahrenheit.java:16: error: variable tempF might not have been initialized
System.out.println(tempF);
^
1 error
Answer:
tempF = (tempC * 1.8) + 32;
Explanation:
Required
Correct the error in the program
The error is due to tempF not been initialized or being calculated
Correct the error by writing the formula for tempF before tempF was printed
tempF = (tempC * 1.8) + 32;
Writing the formula ensures that tempF is initialized with the expected equivalent value for tempC
................. are used to summarize data (option) (a) report (b) action
i think report is right for the question
two things every professional PowerPoint presentation should have
asdcvnmn bvcdxszasdfghjk.
Answer:
fewrugbrubpwerivrib
Explanation:
vbhresibvhresiupvkbjriururbvurfiuibvuefsbiuiuvuib
Consider the following class, which uses the instance variable balance to represent a bank account balance.
public class BankAccount {
private double balance;
public double deposit(double amount) {
/* missing code */
}
}
The deposit method is intended to increase the account balance by the deposit amount and then return the updated balance. Which of the following code segments should replace /* missing code */ so that the deposit method will work as intended?
a.
amount = balance + amount;
return amount;
b.
balance = amount;
return amount;
c.
balance = amount;
return balance;
d.
balance = amount;, , return balance;,
balance = balance + amount;
return amount;
e.
balance = balance + amount;
return balance;
Answer:
e.
balance = balance + amount;
return balance;
Explanation:
Required
Code to update account balance and return the updated balance
The code that does this task is (e).
Assume the following:
[tex]balance = 5000; amount = 2000;[/tex]
So, code (e) is as follows:
balance = balance + amount; [tex]\to[/tex]
[tex]balance = 5000 + 2000[/tex] [tex]\to[/tex]
[tex]balance = 7000[/tex]
Here, the updated value of balance is 7000
So: return balance
will return 7000 as the updated account balance
Other options are incorrect
JavaAssignmentFirst, launch NetBeans and close any previous projects that may be open (at the top menu go to File ==> Close All Projects).Then create a new Java application called "BackwardsStrings" (without the quotation marks) that:Prompts the user at the command line for one 3-character string.Then (after the user inputs that first 3-character string) prompts the user for another 3-character string.Then prints out the two input strings with a space between them.Finally prints on a separate line the two input strings 'in reverse' (see example below) with a space between them.So, for example, if the first string is 'usr' and the second string is 'bin', your program would output something like the following:The two strings you entered are: usr bin.The two strings in reverse are: nib rsu.Note that the reversed SECOND string comes FIRST when printing the strings in reverse.my result/*Name: Saima SultanaLab:PA - BackwardsStrings (Group 2)*/package backwardsstrings;import java.util.Scanner;public class BackwardsStrings { public static void main(String[] args) { //variables String first, second; // TODO code application logic here StringBuilder firstReversed= new StringBuilder(); StringBuilder secondReversed= new StringBuilder(); Scanner input = new Scanner(System.in); // read strings first=input.nextLine(); second=input.nextLine(); // print out the input strings System.out.println("The two string you entered are:"+ first+" "+second+"."); // reverse the strings for ( int i=first.length()-1;i>=0; i--) firstReversed.append(first.charAt(i)); for ( int i=second.length()-1;i>=0; i--) secondReversed.append(second.charAt(i));// print out the reverse string System.out.println("The two strings in reverse are:"+secondReversed+" "+ firstReversed+ ".");}}
Answer:
Your program would run without error if you declared the first and second string variables before using them:
Modify the following:
first=input.nextLine();
second=input.nextLine();
to:
String first=input.nextLine();
String second=input.nextLine();
Explanation:
Required
Program to print two strings in forward and reversed order
The program you added is correct. The only thing that needs to be done is variable declarations (because variables that are not declared cannot be used).
So, you need to declared first and second as strings. This can be done as follows:
(1) Only declaration
String first, second;
(2) Declaration and inputs
String first=input.nextLine();
String second=input.nextLine();
When an item is gray that means...
A. The item only works with another application
B. The item has been selected
C. The item is unavailable
D. The item has been deleted
A,B,C,orD, can anyone please help?
Answer:
B. The item has been selected
Answer:
C
Explanation:
When an item is unavailable, usually referring to the Technology field, it is gray. Gray items are things that are not created anymore, sold out or not enough supply. The color gray is usually used to symbol something bad, and not having a product is considered bad. Using our background knowledge, we can concude that the answer is option C.
Write a program that accepts a date in the form month/day/year and outputs whether or not the date is valid. For example, 5/24/1962 is valid, but 9/31/2000 is not. (September has only 30 days.)
Answer:
Here is the code.
Explanation:
#include <stdlib.h>
#include <stdio.h>
int check_month(int month);
int check_date(int year, int month, int day);
void display_date(int year, int month, int day);
int check_year(int year);
int main (void)
{
int year, month, day;
int valid;
printf("\t\t\t\tEnter Date \n");
printf("\nyear (yyyy): ");
scanf("%d",&year);
printf("month: ");
scanf("%d",&month);
printf("day: ");
scanf("%d", &day);
valid = check_month(month);
if (valid)
{
valid = check_date(year, month, day);
}
if (valid)
{
display_date(year, month, day);
printf("is a valid date. \n");
}
else
{
display_date(year, month, day);
printf("is a illegal date. \n");
}
system ("pause");
return 0;
}
int check_month(int month)
{
int flag;
if (month>=1 && month<=12)
flag = 1;
else
flag = 0;
return flag;
}
int check_date(int year, int month, int day)
{
int valid;
int leep_year;
switch (month)
{
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
if (day>=1 && day<=31)
valid = 1;
else
valid = 0;
break;
case 2:
leep_year = check_year(year);
if (leep_year)
{ if (day>=1 && day<=29)
valid = 1;
else
valid = 0;
}
else
{ if (day>=1 && day<=28)
valid = 1;
else
valid = 0;
}
break;
case 4:
case 6:
case 9:
case 11:
if (day>=1 && day<=30)
valid = 1;
else
valid = 0;
break;
}
return valid;
}
int check_year(int year)
{
int leep_year;
if (year%4==0)
{
if (year%100==0)
{
if (year%400==0)
leep_year = 1; // 1600, 2000
else
leep_year = 0; // 1700, 1800, 1900, 2100
}
else
{
leep_year = 1; // 2004, 1996
}
}
else
{
leep_year = 0; // 2003, 2011
}
return leep_year;
}
void display_date(int year, int month, int day)
{
if (month == 1)
printf("January");
else if (month == 2)
printf("February");
else if (month == 3)
printf("March");
else if (month == 4)
printf("April");
else if (month == 5)
printf("May");
else if (month == 6)
printf("June");
else if (month == 7)
printf("July");
else if (month == 8)
printf("August");
else if (month == 9)
printf("September");
else if (month == 10)
printf("October");
else if (month == 11)
printf("November");
else if (month == 12)
printf("December");
else
printf("The Month enter is not valid.\n");
printf(" %d, %d ",day,year);
}
Write a function called random_marks. random_marks should #take three parameters, all integers. It should return a #string. # #The first parameter represents how many apostrophes should #be in the string. The second parameter represents how many #quotation marks should be in the string. The third #parameter represen
Answer:
Explanation:
The following code is written in Java. It creates the function random_marks as requested. It uses three for loops to go concatenating the correct number of apostrophes, quotes, and pairs to the output string before returning it to the user. A test case was added in main and the output can be seen in the attached picture below.
class Brainly {
public static void main(String[] args) {
String output = random_marks(3,2,3);
System.out.println(output);
}
public static String random_marks(int apostrophe, int quotes, int pairs) {
String output = "";
for (int x = 0; x < apostrophe; x++) {
output += '\'';
}
for (int x = 0; x < quotes; x++) {
output += '\"';
}
for (int x = 0; x < pairs; x++) {
output += "\'\"";
}
return output;
}
}
please help me I mark you brilliant thanks
Answer:
B attaches to C, and C goes into A. (Sequence: A, then insert C into A, then insert B into C.)
Explanation:
You can quite literally get the answer from treating it like a puzzle. There is only 1 solution you can have, and they are marked with shapes. This is also the correct solution to clear the text box with button2 on click.
What are the basic characteristics of the linear structure in data structure
Explanation:
A Linear data structure have data elements arranged in sequential manner and each member element is connected to its previous and next element. This connection helps to traverse a linear data structure in a single level and in single run. Such data structures are easy to implement as computer memory is also sequential.
Assume that a file contains students’ ids, full names, and their scores (Assignments grade, quizzes grade, Midterm grade, Practical exam grade, and final exam grade) (each column is separated by $). You are required to write a C program to do the following:
• Using the concept of parallel arrays create records for students with above attributes (id, full name, score).(you are not allowed to use structure)
• Ask the user to enter the input file name and read it (suppose that, there are different files you could read data from). Read the data from the file and store it in record for students, which has IDs, Names, and Scores. The IDs should be declared as integers, the Names as a two-dimensional array of characters and the Scores as doubles. Assume that the maximum length of full name of any student is 50 characters. Also, you may assume that there will be No more than a 1000 student records in the file.
• Calculate the final grade as the flowing:
Grade= (Assignment)*15%+(Quizzes) *15%+(Midterm exam) *25%+(Practical Exam)
*10%+(Final) *35% Assuming that data in files are arranged in same order of the above equation with respect to grades
Hint: read form file, calculate the final score, and store it in the record before going to the next step.
• Display the following menu to the user and read the entered choice:
1) Sort data in ascending order according to students’ IDs and then display it.
2) Sort data in ascending order according to students’ names and then display it.
3) Sort data in descending order according to students’ scores and then display it.
Note: After running any of the above menus items, ask the user if he/she would like to save the current result, if so, prompt user to enter file name.
4) Ask the user to enter a student ID and display his score
5) Ask the user to enter a student name and display his score
6) Exit the program
The program should keep displaying the menu until the user selects to exit from the program.
Implement each of the first five menu options as a separate function.
The attached file “data.txt” is for test.
Which statement describes what happens when a user configures No Automatic Filtering in Junk Mail Options?
O No messages will ever be blocked from the user's mailbox.
Messages can still be blocked at the server level.
O Messages cannot be blocked at the network firewall.
O Most obvious spam messages will still reach the client computer,
PLEASE ANSWER CORRECTLY WILL GIVE 15pts
how can you reduce the size of icons on the Taskbar by using the control panel is there another method of doing the same using right click explain
Answer:
Right-click on any empty area of the taskbar and click “Taskbar Settings.” In the settings window, turn on the “Use small taskbar icons” option. As you can see, almost everything is the same except that the icons are smaller and you can cram a few more into the space.
Globally, most cell phone carriers use GSM technology, a combination of time division and frequency multiplexing.
Why do you think this has become the multiplexing technology of choice for most carriers?
Why not code division, for example, which some major US cell phone carriers still use?
Answer:
The many reason why we still use Global System for Mobile communication is for the ability to transfer data and voice both at once. But others like Code Division does not have this feature.
Explanation:
find the summation of even number between (2,n)
Answer:
The program in python is as follows:
n = int(input("n: "))
sum = 0
for i in range(2,n+1):
if i%2 == 0:
sum+=i
print(sum)
Explanation:
This gets input n
n = int(input("n: "))
This initializes sum to 0
sum = 0
This iterates through n
for i in range(2,n+1):
This checks if current digit is even
if i%2 == 0:
If yes, take the sum of the digit
sum+=i
Print the calculated even sum
print(sum)
which of the following is not a hardware component a) input devices b)storage devices c)operating systems d)processing
Answer:
C. Operating systems
Explanation:
Operating systems are software components, not hardware. (Think about Apple OS or Android, they are softwares that are ON the hardware, which is the physical device.)
what is the mean of "*" in wild card?
Answer:
a playing card that can have any value,suit,color or other property in a game at the discretion of player holding it
plss. give me briniest ty.
LAB: Warm up: Drawing a right triangle This program will output a right triangle based on user specified height triangle_height and symbol triangle_char. (1) The given program outputs a fixed-height triangle using a character. Modify the given program to output a right triangle that instead uses the user-specified triangle_char character. (1 pt) (2) Modify the program to use a loop to output a right triangle of height triangle_height. The first line will have one user-specified character, such as % or* Each subsequent line will have one additional user-specified character until the number in the triangle's base reaches triangle_height. Output a space after each user-specified character, including a line's last user-specified character. (2 pts) Example output for triangle_char = % and triangle_height = 5: Enter a character: Enter triangle height: 5 273334.1408726 LAB ACTIVITY 16.6.1: LAB: Warm up: Drawing a right triangle 0/3 main.py Load default template... 1 triangle_char - input('Enter a character:\n') 2 triangle_height = int(input('Enter triangle height:\n')) 3 print('') 4 5 print ('*') 6 print ("**') 7 print ("***') 8
Answer:
The modified program in Python is as follows:
triangle_char = input('Enter a character:\n')
triangle_height = int(input('Enter triangle height:\n'))
for i in range(triangle_height):
print(triangle_char * (i+1))
Explanation:
This gets the character from the user
triangle_char = input('Enter a character:\n')
This gets the height of the triangle from the user
triangle_height = int(input('Enter triangle height:\n'))
This iterates through the height
for i in range(triangle_height):
This prints extra characters up to the height of the triangle
print(triangle_char * (i+1))
Here's the modified program that incorporates the requested changes:
python
Copy code
triangle_char = input('Enter a character:\n')
triangle_height = int(input('Enter triangle height:\n'))
print('')
for i in range(1, triangle_height + 1):
line = triangle_char * i + ' ' * (triangle_height - i)
print(line)
This program uses a loop to iterate from 1 to triangle_height. In each iteration, it creates a line by concatenating triangle_char repeated i times with spaces (' ') repeated (triangle_height - i) times. The resulting line is then printed.
For example, if the user enters % as the character and 5 as the height, the output will be to make sure to maintain the indentation properly in your code for it to work correctly.
Learn more about python on:
https://brainly.com/question/30391554
#SPJ6
Provide a 3 to 4 sentence overview of the Microsoft Windows features.
Answer:
there is an app that can tell you everything
Explanation:
just go to Microsoft and go to details or something like that and copy and paste
The paragraph for Microsoft Windows features is written in explanation part.
What is Microsoft Windows?Windows is a combination of a few restrictive graphical working framework families created and showcased by Microsoft.
Microsoft Windows (likewise alluded to as Windows or Win) is a graphical working framework created and distributed by Microsoft. It gives a method for putting away records, run programming, mess around, watch recordings, and interface with the Internet. Microsoft Windows was first presented with form 1.0 on November 10, 1983
Microsoft Windows Features on Demand is a component that permits framework managers to add or eliminate jobs and elements in Windows 8 and Windows Server 2012, and later variants of the client and server working framework to change the document size of those working frameworks.
Learn more about Microsoft Windows.
https://brainly.com/question/2312568
#SPJ2
The first PCI bus has a 32-bit data path, supplied 5 V of power to an adapter card, and operated at what frequency?
a. 88 MHz
b.64 MHz
c. 16 MHz
d. 33 MHz
Answer:
D. 33mhz
Explanation:
The PCI is short for peripheral component interconnect. This has speed and was made by Intel. At first it was made to be 32 bits and with a speed that 2as up to 33 megahertz. But other versions that followed had 64 bit and 66 megahertz.
This bus can stay with other buses and can work in synchronous or the asynchronous mode.
Assume that a, b, and c have been declared and initialized with int values. The expression
!(a > b || b <= c)
is equivalent to which of the following?
a. a > b && b <= c
b. a <= b || b > c
c. a <= b && b > c
d. a < b || b >= c
e. a < b && b >= c
Answer:
Option c (a <= b && b > c) and Option e (a < b && b >= c) is the correct answer.
Explanation:
According to the question, the given expression is:
⇒ !(a > b || b <= c)
There will be some changes occur between the values such as:
! = It becomes normal> = It becomes <|| = It becomes &&So that the expression will be:
⇒ a <= b && b > c
and
⇒ a < b && b >= c
Other choices are not connected to the expression or the rules. So the above two alternatives are the correct ones.
Please in Paython. thank you.
Miles to track laps One lap around a standard high-school running track is exactly 0.25 miles. Write the function miles_to_laps() that takes a number of miles as an argument and returns the number of laps. Complete the program to output the number of laps. Output each floating-point value with two digits after the decimal point, which can be achieved as follows: print('{:.2f}'.format(your_value)) Ex: If the input is: 1.5 the output is: 6.00 Ex: If the input is: 2.2 the output is: 8.80 Your program must define and call the following function: def miles_to_laps(user_miles)
Answer:
Here is the code in python.
Explanation:
def miles_to_laps(user_miles):
return user_miles / 0.25
if _name_ == '_main_':
print("{:.2f}".format(miles_to_laps(float(input()))))
What does internet prefixes WWW and HTTPs stands for?
Answer:
World Wide Web - WWW
Hypertext Transfer Protocol (Secure) - HTTPS
Explanation:
WWW means that the source and content is available to the whole world. Regarding what browser or registrar you have, the content will appear. HTTPS means Hypertext Transfer Protocol Secure. This means that it is a safe way to send info from a web system. I hope I helped you!
The keyboard is used to select pictures on the computer.
#True# or False#
We use the keyboard to type. it's false.
Answer:
False is the answer of your question
hope it is helpful to you
Write a class named Pet, with should have the following data attributes:1._name (for the name of a pet.2._animalType (for the type of animal that a pet is. Example, values are "Dog","Cat" and "Bird")3._age (for the pet's age)The Pet class should have an __init__method that creates these attributes. It should also have the following methods:-setName -This method assigns a value to the_name field-setAnimalType - This method assigns a value to the __animalType field-setAge -This method assigns a value to the __age field-getName -This method returns the value of the __name field-getAnimalType -This method returns the value of the __animalType field-getAge - This method returns the value of the __age fieldWrite a program that creates an object of the class and prompts the user to enter the name, type, and age of his or her pet. This should be stored as the object's attributes. Use the object's accessor methods to retrieve the pet's name, type and age and display this data on the screen. Also add an __str__ method to the class that will print the attributes in a readable format. In the main part of the program, create two more pet objects, assign values to the attirbutes and print all three objects using the print statement.Note: This program must be written using Python language
Answer:
Explanation:
The following is written in Python, it contains all of the necessary object attributes and methods as requested and creates the three objects to be printed to the screen. The first uses user input and the other two are pre-built as requested. The output can be seen in the attached image below.
class Pet:
_name = ''
_animalType = ''
_age = ''
def __init__(self, name, age, animalType):
self._name = name
self._age = age
self._animalType = animalType
def setName(self, name):
self._name = name
def setAnimalType(self, animalType):
self._animalType = animalType
def setAge(self, age):
self._age = age
def getName(self):
return self._name
def getAnimalType(self):
return self._animalType
def getAge(self):
return self._age
def __str__(self):
print("My Pet's name: " + str(self.getName()))
print("My Pet's age: " + str(self.getAge()))
print("My Pet's type: " + str(self.getAnimalType()))
name = input('Enter Pet Name: ')
age = input('Enter Pet Age: ')
type = input('Enter Pet Type: ')
pet1 = Pet(name, age, type)
pet1.__str__()
pet2 = Pet("Sparky", 6, 'collie')
pet3 = Pet('lucky', 4, 'ferret')
pet2.__str__()
pet3.__str__()