.2. What approach to deviance do you find most persuasive: that

of functionalists, conflict theorists, feminists, interactionists,

or labeling theorists?

Answers

Answer 1

Answer:

The description for the given question is described in the explanation section below.

Explanation:

Since deviance constitutes a breach of a people's current standard. I believe Erickson's psychological concept that Deviance becomes a trait that is commonly considered to need social control agencies' intervention, i.e. 'Something must being done'.

There most probably resulted whenever the rules governing behavior appear inconsistent in just about any particular frame. Therefore the principle of this theory is that even in the analysis of deviance this same significant point seems to be the social community, instead of the participant.

Related Questions

A company has offices in Honolulu, Seattle, Ogden, and Dublin, Ireland. There are transmission links between Honolulu and Seattle, Seattle and Ogden, and Ogden and Dublin. Seattle needs to communicate at 1 Gbps with each other site. Seattle and Dublin only need to communicate with each other at 1 Mbps. Ogden and Dublin need to communicate at 2 Gbps, and Ogden and Seattle need to communicate with each other at 10 Mbps. How much traffic will each transmission link have to carry? Show your work.

Answers

Answer:

See explaination

Explanation:

Looking at telecommunications network, a link is a communication channel that connects two or more devices for the purpose of data transmission. The link is likely to be a dedicated physical link or a virtual circuit that uses one or more physical links or shares a physical link with other telecommunications links.

Please check attachment for further solution.

Write a Java program that prompts the user to enter a sequence of non-negative numbers (0 or more), storing them in an ArrayList, and continues prompting the user for numbers until they enter a negative value. When they have finished entering non-negative numbers, your program should return the mode (most commonly entered) of the values entered.

Answers

Answer: provided in explanation segment

Explanation:

the code to carry out this program is thus;

import java.util.ArrayList;

import java.util.Scanner;

public class ArrayListMode {

 

public static int getMode(ArrayList<Integer>arr) {

      int maxValue = 0, maxCount = 0;

      for (int i = 0; i < arr.size(); ++i) {

          int count = 0;

          for (int j = 0; j < arr.size(); ++j) {

              if (arr.get(j) == arr.get(i))

                  ++count;

          }

          if (count > maxCount) {

              maxCount = count;

              maxValue = arr.get(i);

          }

      }

      return maxValue;

  }

public static void main(String args[]){

  Scanner sc = new Scanner(System.in);

  ArrayList<Integer>list= new ArrayList<Integer>();

  int n;

  System.out.println("Enter sequence of numbers (negative number to quit): ");

  while(true) {

      n=sc.nextInt();

      if(n<=0)

          break;

      list.add(n);

  }

  System.out.println("Mode : "+getMode(list));

}

}

⇒ the code would produce Mode:6

cheers i hope this helps!!!!

3.27 LAB: Exact change (FOR PYTHON PLEASE)
Write a program with total change amount as an integer input, and output the change using the fewest coins, one coin type per line. The coin types are Dollars, Quarters, Dimes, Nickels, and Pennies. Use singular and plural coin names as appropriate, like 1 Penny vs. 2 Pennies.

Ex: If the input is:

0
(or less than 0), the output is:

No change
Ex: If the input is:

45
the output is:

1 Quarter
2 Dimes

Answers

Answer:

amount = int(input())

#Check if input is less than 1

if amount<=0:

    print("No change")

else: #If otherwise

    #Convert amount to various coins

    dollar = int(amount/100) #Convert to dollar

    amount = amount % 100 #Get remainder after conversion

    quarter = int(amount/25) #Convert to quarters

    amount = amount % 25 #Get remainder after conversion

    dime = int(amount/10) #Convert to dimes

    amount = amount % 10 #Get remainder after conversion

    nickel = int(amount/5) #Convert to nickel

    penny = amount % 5 #Get remainder after conversion

    #Print results

    if dollar >= 1:

          if dollar == 1:

                print(str(dollar)+" Dollar")

          else:

                print(str(dollar)+" Dollars")

    if quarter >= 1:

          if quarter == 1:

                print(str(quarter)+" Quarter")

          else:

                print(str(quarter)+" Quarters")

    if dime >= 1:

          if dime == 1:

                print(str(dime)+" Dime")

          else:

                print(str(dime)+" Dimes")

    if nickel >= 1:

          if nickel == 1:

                print(str(nickel)+" Nickel")

          else:

                print(str(nickel)+" Nickels")

    if penny >= 1:

          if penny == 1:

                print(str(penny)+" Penny")

          else:

                print(str(penny)+" Pennies")

Explanation:

The first answer is almost right, but this should give you the complete answer with the proper starting point and correct capitalizations.

The program is an illustration of conditional statements.

Conditional statements are statements whose execution depends on its truth value.

The program in Python, where comments are used to explain each line is as follows:

#This gets input for the amount

amount = int(input("Enter Amount:  "))

#This checks if the amount is less than 1

if amount<=0:  

    print("No Change")

else: #If otherwise

    #The next lines convert amount to various coins  

    dollar = int(amount/100) #Convert to dollar

    amount = amount % 100 #Get remainder after conversion

    quarter = int(amount/25) #Convert to quarters

    amount = amount % 25 #Get remainder after conversion

    dime = int(amount/10) #Convert to dimes

    amount = amount % 10 #Get remainder after conversion

    nickel = int(amount/5) #Convert to nickel

    penny = amount % 5 #Get remainder after conversion

    #The following if statements print the change

    #The prints dollars  

    if dollar >= 1:  

          if dollar == 1:

                print(str(dollar)+" dollar")

          else:

                print(str(dollar)+" dollars")

    #The prints quarters

    if quarter >= 1:

          if quarter == 1:

                print(str(quarter)+" quarter")

          else:

                print(str(quarter)+" quarters")

    #The prints dimes

    if dime >= 1:

          if dime == 1:

                print(str(dime)+" dime")

          else:  

                print(str(dime)+" dimes")

    #The prints nickels

    if nickel >= 1:

          if nickel == 1:

                print(str(nickel)+" nickel")

          else:

                print(str(nickel)+" nickels")

    #The prints pennies

    if penny >= 1:

          if penny == 1:

                print(str(penny)+" penny")

          else:

                print(str(penny)+" pennies")

Read more about similar programs at:

https://brainly.com/question/16839801

Given a base Plant class and a derived Flower class, complete main() to create an ArrayList called myGarden. The ArrayList should be able to store objects that belong to the Plant class or the Flower class. Create a method called printArrayList(), that uses the printInfo() methods defined in the respective classes and prints each element in myGarden. The program should read plants or flowers from input (ending with -1), adding each Plant or Flower to the myGarden ArrayList, and output each element in myGarden using the printInfo() method.

Answers

Final answer:

The question involves creating an ArrayList that stores objects of type Plant and Flower, reading these objects from input, and printing their information using a defined method in Java.

Explanation:

The student's question pertains to object-oriented programming in Java and involves working with classes, inheritance, and polymorphism within an ArrayList. To solve this, you'll need to create an ArrayList that can store objects of both the Plant and Flower classes. The Plant class is the base class, while the Flower class is the derived class. You will then implement a printArrayList() method to iterate through the myGarden ArrayList and call the printInfo() method on each object.

Since both Plant and Flower objects can be added to myGarden, the printInfo() method needs to be defined in both the Plant and Flower classes, possibly overriding the method in Flower if it requires different behavior. The process of reading input and adding plants or flowers would continue until encountering a '-1', which signifies the end of input. After populating the ArrayList, the printArrayList() method will be called to display the information about each plant or flower in the garden.

Final answer:

The question involves creating an ArrayList in Java to hold Plant and Flower objects, utilizing polymorphism to store and process them. A printArrayList() method is employed to iterate through the ArrayList and call the printInfo() method on each Plant and Flower object.

Explanation:

The question revolves around object-oriented programming in Java, specifically dealing with the concept of polymorphism and ArrayLists. To accomplish the task, you will need to create an ArrayList that can hold objects of the Plant class as well as objects of the derived Flower class. This is possible because of polymorphism, where a Flower 'is-a' Plant, and thus can be treated as one.

To provide you with a starting point, here's an example of a possible printArrayList() method:

void printArrayList(ArrayList myGarden) {
  for (Plant p : myGarden) {
     p.printInfo();
  }
}

The actual main() is not provided here but would involve initializing the ArrayList, looping to read inputs, creating Plant or Flower objects based on the input, adding them to the myGarden ArrayList, and then calling the printArrayList() method to display the information for each plant or flower in the garden. Notice that the printInfo() method is called for each element; this method is expected to be defined in both the Plant and Flower classes, leveraging polymorphism for dynamic method dispatch.

Complexities of communication are organized into successive layers of protocols: lower-level layers are more specific to medium, higher-level layers are more specific to application. Match the layer name to its functionality: Transport layer Network layer Data link layer Physical layer A. controls transmission of the raw bit stream over the medium B. establishes, maintains and terminates network connections C. ensures the reliability of link D. provides functions to guarantee reliable network link

Answers

Answer:

Transport layer

establishes, maintains and terminates network connections

Network layer

ensures the reliability of link

Data link layer

provides functions to guarantee reliable network link

Physical layer

controls transmission of the raw bit stream over the medium

Explanation:

see Answer

Which term describes measurable results expected in a given time frame?

Answers

Answer: I think a deadline?

The term that describes the results expected in a given time frame is the goal. The correct option is A.

What are goals?

The desired states that people want to achieve, maintain, or avoid are referred to as life goals. When we make goals, we commit to imagining, planning for, and obtaining these desired outcomes. The satisfaction with our careers is the satisfaction with our lives because we spend more than half of our waking hours at work.

The most significant professional goal we can set for ourselves is to identify our areas of love and make them into lifelong careers. An objective is something you hope to accomplish. It is the desired outcome that you or a group of people plan for and firmly resolve to attain. The phrase "goal" refers to the outcomes anticipated in a specific time range.

Therefore, the correct option is A, Goals.

To learn more about goals, refer to the link:

https://brainly.com/question/21032773

#SPJ2

The question is incomplete. Your most probably complete question is given below:

Goals

Mind maps

Purposes

Ideas

Write a class called (d) Teacher that has just a main method. The main method should construct a GradeBook for a class with two students, "Jack" and "Jill". Jack’s grades on the three tests for the class are 33, 55, and 77. Jill’s grades are 99, 66, and 33. After constructing the GradeBook object, main should use the instance methods of the GradeBook class to determine the name of the student with the highest average grades. Print the name of this student on the screen.

Answers

Answer:

The java program is given below.

import java.util.*;

class GradeBook  

{

//variables to hold all the given values

static int m11, m12, m13;

static int m21, m22, m23;

static String name1, name2;

//variables to hold the computed values

static double avg1, avg2;

//constructor initializing the variables with the given values

GradeBook()

{

name1 = "Jack";

m11 = 33;

m12 = 55;

m13 = 77;

name2 = "Jill";

m21 = 99;

m22 = 66;

m23 = 33;

}

//method to compute and display the student having highest average grade

static void computeAvg()

{

avg1=(m11+m12+m13)/3;

avg2=(m21+m22+m23)/3;

if(avg1>avg2)

System.out.println("Student with highest average is "+ name1);

else

System.out.println("Student with highest average is "+ name2);

}  

}

//contains only main() method

public class Teacher{  

public static void main(String[] args)

{

//object created

GradeBook ob = new GradeBook();

//object used to call the method

ob.computeAvg();

}

}

OUTPUT

Student with highest average is Jill

Explanation:

1. The class GradeBook declares all the required variables as static with appropriate data types, integer for grades and double for average grade.

2. Inside the constructor, the given values are assigned to the variables.

3. The method, computeAvg(), computes the average grade of both the students. The student having highest average grade is displayed using System.out.println() method.

4. Inside the class, Teacher, the main() method only has 2 lines of code.

5. The object of the class GradeBook is created.

6. The object is used to call the method, computeAvg(), which displays the message on the screen.

7. All the methods are also declared static except the constructor. The constructor cannot have any return type nor any access specifier.

8. The program does not takes any user input.

9. The program can be executed with different values of grades and names of the students.

Write a Java class to perform the following: 1. Write a method to search the following array using a linear search, ( target elements: 11, 55, 17.). (count the number of comparisons needed). {06, 02, 04, 07, 11, 09, 50, 62, 43, 32, 13, 75, 01, 46, 88, 17} 2. Write a method to sort the array using Selection Sort. (count the number of comparisons needed) 3, Write a method to sort the array using Bubble Sort. (count the number of comparisons needed) 4, Search he sorted array using a binary search (recursive) for the same set of target elements. (count the number of comparisons needed)

Answers

Answer:

Check the explanation

Explanation:

Linear search in JAVA:-

import java.util.Scanner;

class linearsearch

{

  public static void main(String args[])

  {

     int count, number, item, arr[];

     

     Scanner console = new Scanner(System.in);

     System.out.println("Enter numbers:");

     number = console.nextInt();

   

     arr = new int[number];

     System.out.println("Enter " + number + " ");

     

     for (count = 0; count < number; count++)

       arr[count] = console.nextInt();

     System.out.println("Enter search value:");

     item = console.nextInt();

     for (count = 0; count < number; count++)

     {

        if (arr[count] == item)

        {

          System.out.println(item+" present at "+(count+1));

         

          break;

        }

     }

     if (count == number)

       System.out.println(item + " doesn't found in array.");

  }

}

Kindly check the first attached image below for the code output.

Selection Sort in JAVA:-

public class selectionsort {

   public static void selectionsort(int[] array){

       for (int i = 0; i < array.length - 1; i++)

       {

           int ind = i;

           for (int j = i + 1; j < array.length; j++){

               if (array[j] < array[ind]){

                   ind = j;

               }

           }

           int smaller_number = array[ind];  

           array[ind] = array[i];

           array[i] = smaller_number;

       }

   }

     

   public static void main(String a[]){

       int[] arr = {9,94,4,2,43,18,32,12};

       System.out.println("Before Selection Sort");

       for(int i:arr){

           System.out.print(i+" ");

       }

       System.out.println();

         

       selectionsort(arr);

       

       System.out.println("After Selection Sort");

       for(int i:arr){

           System.out.print(i+" ");

       }

   }

}  

Kindly check the second attached image below for the code output.

Bubble Sort in JAVA:-

public class bubblesort {

   static void bubblesort(int[] array) {

       int num = array.length;

       int temp = 0;

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

                for(int j=1; j < (num-i); j++){

                         if(array[j-1] > array[j]){

                           

                                temp = array[j-1];

                                array[j-1] = array[j];

                                array[j] = temp;

                        }

                         

                }

        }

   }

   public static void main(String[] args) {

               int arr1[] ={3333,60,25,32,55,620,85};

               

               System.out.println("Before Bubble Sort");

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

                       System.out.print(arr1[i] + " ");

               }

               System.out.println();

                 

               bubblesort(arr1);

               

               System.out.println("After Bubble Sort");

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

                       System.out.print(arr1[i] + " ");

               }

 

       }

}  

Kindly check the third attached image below for the code output.

Binary search in JAVA:-

public class binarysearch {

  public int binarySearch(int[] array, int x) {

     return binarySearch(array, x, 0, array.length - 1);

  }

  private int binarySearch(int[ ] arr, int x,

        int lw, int hg) {

     if (lw > hg) return -1;

     int middle = (lw + hg)/2;

     if (arr[middle] == x) return middle;

     else if (arr[middle] < x)

        return binarySearch(arr, x, middle+1, hg);

     else

        return binarySearch(arr, x, lw, middle-1);

  }

  public static void main(String[] args) {

     binarysearch obj = new binarysearch();

     int[] ar =

       { 22, 18,12,14,36,59,74,98,41,23,

        34,50,45,49,31,53,74,56,57,80,

        61,68,37,12,58,79,904,56,99};

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

        System.out.print(obj.binarySearch(ar,

           ar[i]) + " ");

     System.out.println();

     System.out.print(obj.binarySearch(ar,19) +" ");

     System.out.print(obj.binarySearch(ar,25)+" ");

     System.out.print(obj.binarySearch(ar,82)+" ");

     System.out.print(obj.binarySearch(ar,19)+" ");

     System.out.println();

  }

}

Kindly check the fourth attached image below for the code output

(6 pts) Write a bash shell script called 08-numMajors that will do the following: i. Read data from a class enrollment file that will be specified on the command line. ii. If the file does not exist, is a directory, or there are more or less than one parameters provided, display an appropriate error/usage message and exit gracefully. iii. Display the number of a specified major who are taking a given class.

Answers

Answer:

Check the explanation

Explanation:

Script:

#!/usr/bin/ksh

#using awk to manipulated the input file

if [ $# != 1 ]

then

echo "Usage: 08-numMajors.sh <file-name>"

exit 1

fi

if [ -f $1 ]

then

awk '

BEGIN {

FS=","

i=0

flag=0

major[0]=""

output[0]=0

total=0

}

{

if ($3)

{

for (j=0; j<i; j++)

{

# printf("1-%s-%s\n", major[j], $3);

if(major[j] == $3)

{

flag=1

output[j] = output[j] + 1;

total++

}

}

if (flag == 0)

{

major[i]=$3

output[i] = output[i] + 1;

i++;

total++

}

else

{

flag=0

}

}

}

END {

for (j=0; j<i; j++)

{

if(output[j] > 1)

printf("There are %d `%s` majors\n", output[j], major[j]);

else

printf("There is %d `%s` major\n", output[j], major[j]);

}

printf("There are a total of %d students in this class\n", total);

}

' < $1

else

echo "Error: file $1 does not exist"

fi

Output:

USER 1> sh 08-numMajors.sh sample.txt

There are 4 ` Computer Information Systems` majors

There is 1 ` Marketing` major

There are 2 ` Computer Science` majors

There are a total of 7 students in this class

USER 1> sh 08-numMajors.sh sample.txtdf

Error: file sample.txtdf does not exist

USER 1> sh 08-numMajors.sh

Usage: 08-numMajors.sh <file-name>

USER 1> sh 08-numMajors.sh file fiel2

Usage: 08-numMajors.sh <file-name>

In the function below, use a function from the random module to return a random integer between the given lower_bound and upper_bound, inclusive. Don't forget to import the random module (before the function declaration).
For example, return_random_int(3, 8) should random return a number from the set: 3, 4, 5, 6, 7, 8.
length.py
def return_random_int(lower_bound, upper_bound):

Answers

Answer:

import random

def return_random_int(lower_bound, upper_bound):

   return random.randrange(lower_bound, upper_bound)

   

print(return_random_int(3, 8))

Explanation:

Import the random module

Create a function called return_random_int takes two parameters, lower_bound and upper_bound

Return a number between lower_bound and upper_bound using random.range()

Call the function with given inputs, and print the result

Bob is stationed as a spy in Cyberia for a week and wants to prove that he is alive every day of this week and has not been captured. He has chosen a secret random number, x, which he memorized and told to no one. But he did tell his boss the value y = H(H(H(H(H(H(H(x))))))), where H is a one-way cryptographic hash function. Unfortunately, he knows that the Cyberian Intelligence Agency (CIA) was able to listen in on that message; hence, they also know the value of y. Explain how he can send a single message every day that proves he is still alive and has not been captured. Your solution should not allow anyone to replay any previous message from Bob as a (false) proof he is still alive.

Answers

Bob can use a hash chain method with a cryptographic hash function to send a message daily, validating his aliveness without risk of replay attacks. Each day he reveals the previous hash in the chain, which can be verified by hashing to obtain the initially shared value.

In order for Bob to prove he is still alive and has not been captured, without the risk of replay attacks, a strategy called hash chain can be employed using the cryptographic hash function. Bob starts with his secret random number x and computes a hash of it, H(x). He then repeatedly applies the hash function to this result a number of times equal to the number of days he needs to send a message (in this case, 7 times since he is there for a week), resulting in y = H(H(H(H(H(H(H(x))))))).

Each day, Bob unveils the previous hash in the chain. For example, on the first day, he sends H(H(H(H(H(H(x)))))), which anyone can hash once to verify it leads to y, the value his boss already knows. On the second day, he sends H(H(H(H(H(x))))), and so on. This proves that each message can only have come from someone with knowledge of the previous day's secret -- presumably, Bob himself. Because hash functions are one-way, even if someone knows the value H(x), they cannot reverse-engineer to find x.

This method ensures that even if the Cyberian Intelligence Agency (CIA) intercepted a message, they could not fake a future message since they would not be able to produce the next hash in the sequence without knowing the current one.

Develop a crawler that collects the email addresses in the visited web pages. You can write a function emails() that takes a document (as a string) as input and returns the set of email addresses (i.e., strings) appearing in it. You should use a regular expression to find the email addresses in the document.

Answers

Answer:

see explaination

Explanation:

import re

def emails(document):

"""

function to find email in given doc using regex

:param document:

:return: set of emails

"""

# regex for matching emails

pattern = r'[\w\.-]+at[\w\.-]+\.\w+'

# finding all emails

emails_in_doc = re.findall(pattern, document)

# returning set of emails

return set(emails_in_doc)

# Testing the above function

print(emails('random text ertatxyz.com yu\npopatxyz.com random another'))

Consider the problem of solving two 8-puzzles.





a. Give a complete problem formulation.




b. How large is the reachable state space? Give an exact numerical expression.




c. Suppose we make the problem adversarial as follows: the two players take turns moving; a coin is flipped to determine the puzzle on which to make a move in that turn; and the winner is the first to solve one puzzle. Which algorithm can be used to choose a move in this setting?




d. Give an informal proof that someone will eventually win if both play perfectly.

Answers

Answer:

See Explaination

See Explaination

Explanation:

d. If both players play perfectly, then too each player will play not let the other win. Let there be a state of the game in which the goal state can be achieved in just 2 more moves. If player 1 makes one move then the next move made player 1 will win or player 2 do the same.

Either way whatever the rule states, there must be a winner emerging.

Check attachment for option a to c.

Final answer:

The problem of solving two 8-puzzles involves having a specific goal state, making moves on a puzzle, and using an algorithm like Minimax for an adversarial setting. The reachable state space size of an 8-puzzle is 181,440. Given perfect play, an eventual win is guaranteed due to the finite number of puzzle configurations.

Explanation:

a. The problem of solving an 8-puzzle can be formulated as follows: The goal state is a specific configuration of tiles, with an empty space in a particular location. The actions are to move the empty space up, down, left, or right, swapping it with the adjacent tile. The transition model returns the new configuration of tiles resulting from the action. A cost function could return 1 for each move.

b. The size of reachable state space for an 8-puzzle is 9!/2 = 181,440.

c. In the adversarial setting described, a Minimax algorithm could be used to determine the best move.

d. An eventual win in this setting can be informally proven by noting that with each move, the current state of the puzzle moves closer to the goal state. Since there is a limited number of configurations (as determined in part b), the puzzle cannot be played indefinitely and eventually one player will reach the goal state.

Learn more about 8-Puzzle Solving here:

https://brainly.com/question/33562838

#SPJ3

2. Suppose a computer using direct mapped cache has 220 words of main memory and a cache of 32 blocks, where each cache block contains 16 words. a. How many blocks of main memory are there? b. What is the format of a memory address as seen by the cache, that is, what are the sizes of the tag, block, and word fields? c. To which cache block will the memory reference 0DB6316 map? d. In many computers the cache block size is in the range of 32 to 128 bytes. What would be the main advantages and disadvantages of making the size of the cache blocks larger or smaller within this range

Answers

Answer:

(a) The block size = 16 words (b) the format for the sizes of the tag, block, and word fields are stated below:

Tag Block Offset  

11 bits 5 bits 4 bits

(c)The memory address 0DB63 will map to 22nd block and 3 byte of a block. (d)  The main advantage of the cache is, when the cache block is made larger or bigger then, there are fewer misses. this occur when the data in the block is used.

One of the disadvantage is that if the data is not used before the cache block is removed from the cache, then it is no longer useful. here there is also a larger miss penalty.

Explanation:

Solution

(a)The Cache of 32 blocks and the memory is word addressable  

The main memory size is not stated, so let's consider it as 2^20  

The main memory size = 2^20  

The block size = 16 words  

The Number of blocks = main memory size/ block size = 2^20/16. = 2^16= 64 K words.

(b) The Main memory is 2^20, which says it is 1 M words size and it requires 20 bits  

Now,

From which 32 cache block requires 2^5, 5 bits and block size means offset requires 2^4, 4 bits

Thus, the sizes of the tag, block, and word fields are stated below:

Tag Block Offset  

11 bits 5 bits 4 bits

(c)The hexadecimal address is 0DB63 , its binary equivalent is  

0000 1101 1011 0110 0011  

The tag = ( first 11 bits) = 0000 1101 101  

block = ( next 5 bits ) = 1 0110  

offset = ( next 4 bits ) = 0011  

Therefore, the memory address 0DB63 will map to 22nd block and 3 byte of a block.

(d) The main advantage of the cache is that, when the cache block is made larger or bigger then, there are fewer misses. this occur when the data in the block is used.

One of the disadvantage is that if the data is not used before the cache block is removed from the cache, then it is no longer useful. here there is also a larger miss penalty.

In this exercise we want to use computer and C++ knowledge to write the code correctly, so it is necessary to add the following to the informed code:

(a) The block size = 16 words

(b) Tag Block Offset  

11 bits 5 bits 4 bits

(c)The memory address 0DB63 will map to 22nd block and 3 byte of a block.

(d)  The main advantage of the cache is, when the cache block is made larger or bigger then, there are fewer misses. One of the disadvantage is that if the data is not used before the cache block is removed from the cache, then it is no longer useful.

So analyzing the first question about the code we find that:

(a)The Cache of 32 blocks and the memory is word addressable :

The main memory size; [tex]2^{20[/tex] The block size; [tex]16 \ words[/tex]   The Number of blocks = main memory size/ block size: [tex]2^{20}/16 = 2^{16}= 64[/tex]

(b) Says it is 1 M words size and it requires 20 bits. Now, from which 32 cache block requires 2^5, 5 bits and block size means offset requires 2^4, 4 bits. Thus, the sizes of the tag, block, and word fields are stated below:

Tag Block Offset   11 bits 5 bits 4 bits

(c)The hexadecimal address is 0DB63 , its binary equivalent is  

 

The tag = ( first 11 bits) = 0000 1101 101   block = ( next 5 bits ) = 1 0110   offset = ( next 4 bits ) = 0011  

Therefore, the memory address 0DB63 will map to 22nd block and 3 byte of a block.

(d) The main favored position or circumstance of the cache happen that, when the cache block is created best or considerable therefore, there happen hardly any misses. this take place when the information in visible form in the block exist secondhand. One of the loss exist that if the data exist not secondhand before the cache block exist detached from the cache, then it exist not any more valuable. in this place there exist in addition to a best miss punishment.

See more about computer at brainly.com/question/950632

Which type of styles can be applied to a word, phrase, or sentence?
Format
Object
Paragraph
Character
Resume

Answers

Answer:

I think the answer is going to be paragraph

The types of styles that can be applied to a word, phrase, or sentence are the character style and paragraph style. Thus, the correct options for this question are C and D.

What do you mean by Character style?

Character style may be defined as a type of style that can be used for the word, phrase, or sentence in design. This type of style considerably remembers formatting for single characters, words, or phrases.

While Paragraph Style will remember the formatting applied to a whole paragraph. This type of style is most frequently applied to a section of text separated from other text by line breaks with the intention to fragment the literary work into short paragraphs.

Therefore, the character and paragraph styles are the types of styles that can be applied to a word, phrase, or sentence.

To learn more about Paragraph styles, refer to the link:

https://brainly.com/question/13149944

#SPJ2

Can you find the reason that the following pseudocode function does not return the value indicated in the comments? // The calcDiscountPrice function accepts an item’s price and // the discount percentage as arguments. It uses those // values to calculate and return the discounted price. Function Real calcDiscountPrice(Real price, Real percentage) // Calculate the discount. Declare Real discount = price * percentage // Subtract the discount from the price. Declare Real discountPrice = price – discount // Return the discount price. Return discount End Function

Answers

Answer:

see explaination

Explanation:

Function Real calcDiscountPrice(Real price, Real percentage) // Calculate the discount.

Declare Real discount= (price * percentage) / 100.0 // Subtract the discount from the price.

//dividing by 100.0 because of % concept

Declare Real discountPrice = price - discount // Return the discount price.

Return discount End Function

Final answer:

The calcDiscountPrice function's issue is the incorrect calculation of the discount as the percentage is not converted into its decimal form before multiplication.

Explanation:

The problem with the provided pseudocode in calcDiscountPrice function is that the calculation for the discount is incorrect because the percentage is not converted into its decimal form before the calculation. The correct method to calculate the discount should be taking the percentage in decimal (by dividing the percentage by 100) and then multiplying it by the price. Hence, the corrected line of code should be:

Declare Real discount = price * (percentage / 100)

By doing so, the function will correctly calculate the discount and subtract it from the original price to get the discounted price. If the percentage is not divided by 100, you are not calculating a percentage of the price; you are instead calculating a multiple of the price, which is not the intended behavior for a discount.

Create a procedure named FindLargest that receives two parameters: a pointer to a signed doubleword array, and a count of the array's length. The procedure must return the value of the largest array member in EAX. Use the PROC directive with a parameter list when declaring the procedure. Preserve all registers (except EAX) that are modified by the procedure. Write a test program that calls FindLargest and passes three different arrays of different lengths. Be sure to include negative values in your arrays. Create a PROTO declaration for FindLargest.

Answers

Final answer:

The question is about writing an Assembly language procedure to find the largest number in an array. The procedure should be named FindLargest and use the PROC directive and PROTO declaration. The student must implement it, considering register preservation and set up test cases with arrays containing negative numbers.

Explanation:

Create a Procedure in Assembly Language

The student's question involves creating a procedure named FindLargest, which will find the largest value in an array of signed integers. This is a task that would be typically given in an assembly language programming course.

The PROC directive is used to define a new procedure in assembly language, and a PROTO declaration is used to declare the procedure's interface before it’s actually implemented, allowing other parts of the program to call it properly.

Here is an example template for the FindLargest procedure, which must be adapted to the specific assembly language being used, such as x86:

FindLargest PROC, arrayPtr:PTR DWORD, count:DWORD
 ; Procedure code goes here
FindLargest ENDP

And the corresponding PROTO declaration might look like this:

FindLargest PROTO, arrayPtr:PTR DWORD, count:DWORD

The test program would include calls to FindLargest with different arrays, for example:

invoke FindLargest, ADDR array1, LENGTHOF array1
invoke FindLargest, ADDR array2, LENGTHOF array2
invoke FindLargest, ADDR array3, LENGTHOF array3

Note: The procedure's task is to return the largest value in EAX, and all registers except for EAX must be preserved to maintain the state of the calling environment.

To create the FindLargest procedure, define it with the PROC directive, include operations to identify the largest value, and create a PROTO declaration. Also, write a test program to call FindLargest with different arrays. This ensures the largest value is correctly found and returned.

To create a procedure named FindLargest that receives a pointer to a signed doubleword array and the count of the array's length, follow these steps:

Define the PROC directive with the parameter list:

FindLargest PROC ; Procedure declaration
; Parameters: EAX = pointer to array, ECX = count of array length
; Preserves: all registers except EAX

Initialize registers and perform the required operations to find the largest value:

FindLargest PROC
   push    ebx         ; Preserve EBX
   mov     eax, [esp + 8]   ; Load array pointer
   mov     ecx, [esp + 12]  ; Load array length
   mov     ebx, [eax]        ; Assume first element is the largest
   add     eax, 4            ; Point to the next array element
   dec     ecx               ; Decrement count of elements to check
find_loop:
   test    ecx, ecx
   jz      done             ; If count is zero, exit loop
   mov     edx, [eax]       ; Load next element
   cmp     edx, ebx
   jle     skip             ; If current element is less, skip
   mov     ebx, edx         ; Update largest element
skip:
   add     eax, 4           ; Move to next element
   dec     ecx
   jmp     find_loop
; Exit with EBX containing the largest element
done:
   mov     eax, ebx         ; Move result to EAX
   pop     ebx              ; Restore EBX
   ret
FindLargest ENDP

Create a PROTO declaration for FindLargest:

FindLargest PROTO :PTR DWORD, :DWORD

Write a test program to call FindLargest with three different arrays:

.data
   array1 DWORD -10, 23, 5, 15, -3
   array2 DWORD -25, -14, -7, -2
   array3 DWORD 5, 25, 15, 10, 30
.code
main PROC
   ; Call FindLargest with array1
   lea     eax, array1
   mov     ecx, LENGTHOF array1
   call    FindLargest
   ; EAX should contain 23
   ; Call FindLargest with array2
   lea     eax, array2
   mov     ecx, LENGTHOF array2
   call    FindLargest
   ; EAX should contain -2
   ; Call FindLargest with array3
   lea     eax, array3
   mov     ecx, LENGTHOF array3
   call    FindLargest
   ; EAX should contain 30
   ret
main ENDP

Implement a Breadth-First Search of the people in the network who are reachable from person id 3980. You can implement BFS with a queue and the pseudocode is given in CLRS. Print out the distance (number of connections) from person 3980 to every person who is reachable from 3980 via edge traversals. Note that not all people in this network may be reachable via edge traversals from user id 3980, so users that are not accessible can be ignored in BFS.

Answers

Answer:

Check the explanation

Explanation:

import java.io.File;

import java.io.FileNotFoundException;

import java.util.LinkedList;

import java.util.Scanner;

import static org.junit.Assert.assertEquals;

/**

* CS146 Assignment 3 Node class This class is used for undirected graphs

* represented as adjacency lists The areFriends() method checks if two people

* are friends by checking if an edge exists between the two

*

*/

public class NetworkAdjList {

   // Initialize array with max number of vertices taken from SNAP

   static int max_num_vertices = 88234;

   static LinkedList<Integer>[] adjacencyList = new LinkedList[max_num_vertices];

   public static void createAdjacencyList() {

       // Initialize array elements

       for (int j = 0; j < max_num_vertices; j++) {

           adjacencyList[j] = new LinkedList<Integer>();

       }

       // Get file path of the 3980.edges file

       String filePath = "C:\\Users\\shahd\\Documents\\CS146\\Assignment 3\\Question 3\\Question3\\src\\a3\\3980.edges";

       File f = new File(filePath);

       // Use Scanner to read edges from the file and put it into adjacency list

       int a;

       int b;

       try {

           Scanner fileIn = new Scanner(f);

           while (fileIn.hasNext()) {

               a = fileIn.nextInt();

               b = fileIn.nextInt();

               adjacencyList[a].add(b);

               adjacencyList[b].add(a); // We need to add the edges both ways

           }

       } catch (FileNotFoundException e) {

           e.printStackTrace();

       }

   }

   public static boolean areFriends(int A, int B) {

       // If the adjacency list contains (A, B) edge, then return true, else false

       if (adjacencyList[A].contains(B)) {

           return true;

       } else {

           return false;

       }

   }

  private static void bfsHelper(boolean visited[], int currentNode, int dis, int sourceNode) {

       dis++;

       if(!visited[currentNode]) {

           visited[currentNode] = true;

           

           for(int neighbor: adjacencyList[currentNode]) {

               System.out.println(neighbor + " is at a distance of " + dis + " from " + sourceNode);

               bfsHelper(visited, neighbor, dis++, sourceNode);

           }

       }

   }

   public static void BFStraversal(int start) {

       boolean visited[] = new boolean[max_num_vertices];

       bfsHelper(visited, start, 0, start);

   }

   public static void main(String[] args) {

       /**

        * These test cases assume the file 3980.edges was used

        */

       createAdjacencyList();

       System.out.println("Testing...");

       assertEquals(areFriends(4038, 4014), true);

       System.out.println("1 of 7");

       System.out.println("Testing...");

       assertEquals(areFriends(3982, 4037), true);

       System.out.println("2 of 7");

       System.out.println("Testing...");

       assertEquals(areFriends(4030, 4017), true);

       System.out.println("3 of 7");

       System.out.println("Testing...");

       assertEquals(areFriends(4030, 1), false);

       System.out.println("4 of 7");

       System.out.println("Testing...");

       assertEquals(areFriends(1, 4030), false);

       System.out.println("5 of 7");

       System.out.println("Testing...");

       assertEquals(areFriends(4003, 3980), true);

       System.out.println("6 of 7");

       System.out.println("Testing...");

       assertEquals(areFriends(3985, 4038), false);

       System.out.println("7 of 7");

       System.out.println("Success!");

   }

}

**************************************************

Write the function setKthDigit(n, k, d) that takes three integers -- n, k, and d -- where n is a possibly-negative int, k is a non-negative int, and d is a non-negative single digit (between 0 and 9 inclusive). This function returns the number n with the kth digit replaced with d. Counting starts at 0 and goes right-to-left, so the 0th digit is the rightmost digit.

Answers

Function are collections of named code blocks, that are executed when called or evoked.

The setKthDigit function written in Python, where comments are used to explain each line is as follows

#This defines the function

def setKthDigit(n, k, d):

   #If the number of digits in n is greater than k

   if len(str(n)) > k:

       #This splits the number into a list

       myWord = list(str(n))

       #This reverses the list

       myWord.reverse()

       #This updates the kth digit

       myWord[k] = str(d)

       #This reverses the list

       myWord.reverse()

       #This initializes string newStr

       newStr = ''

       #This following loop creates the the number to return, as string

       for i in myWord:

           newStr+=i

   #If otherwise

   else:

       #This initializes string newStr

       newStr = ''

       #This following loop creates the the number to return, as string

       for i in range(1+k-len(str(n))):

           newStr+=str(d)

       newStr+=str(n)

   #This returns the updated number, as an integer

   return int(newStr)

Read more about functions at:

brainly.com/question/19360941

Final answer:

The function setKthDigit replaces the kth digit of an integer n with a digit d, considering the rightmost digit as the 0th. The implementation involves string manipulation and careful handling of the sign of the input number.

Explanation:

To implement the setKthDigit function in Python, you need to first understand how to manipulate individual digits of a number. This involves converting the number into a string to easily access and modify specific digits. Then, you will convert the string back to an integer to return the final result. Below is a Python code snippet that demonstrates how to accomplish this task:

def setKthDigit(n, k, d):
   n_str = str(abs(n)) # Convert the absolute value of n to a string
   if k >= len(n_str): # Check if k is within the bounds of the number
       return n # Return n as is if k is out of bounds
   modified_n_str = n_str[:-k-1] + str(d) + n_str[-k:] if k != 0 else n_str[:-1] + str(d)
   result = int(modified_n_str)
   return result if n >= 0 else -result # Keep the original sign of n

This function works by first converting the number n into a string to easily manipulate its digits. If the digit to be replaced is indeed in the bounds of the number, the string is modified by replacing the kth digit with d. The modified string is then converted back to an integer, taking care to preserve the original sign of n.

2. Use inheritance to create a hierarchy of Exception classes -- EndOfSentenceException, PunctuationException, and CommaException. EndOfSentenceException is the parent class to PunctuationException, which is the parent class to CommaException. Test your classes in a Driver class with a main method that asks the user to input a sentence. If the sentence ends in anything except a period (.), exclamation point (!), or question mark (?), the program should throw a PunctuationException. If the sentence specifically ends in a comma, the program should throw a CommaException. Use a catch block to catch all EndOfSentenceExceptions, causing the program to print a message and terminate. If a general PunctuationException is caught, the program should print "The sentence does not end correctly." If a CommaException is caught, the program should print "You can't end a sentence in a comma." If there are no exceptions, the program should print "The sentence ends correctly." and terminate.

Answers

Answer:

See explaination

Explanation:

EndOfSentenceException.java

//Create a class EndOfSentenceException that

//extends the Exception class.

class EndOfSentenceException extends Exception

{

//Construtor.

EndOfSentenceException(String str)

{

System.out.println(str);

}

}

CommaException.java

//Create a class CommaException that extends the class

//EndOfSentenceException.

class CommaException extends EndOfSentenceException

{

//Define the constructor of CommaException.

public CommaException(String str)

{

super(str);

}

}

PunctuationException.java

//Create a class PunctuationException that extends the class

//EndOfSentenceException.

class PunctuationException extends EndOfSentenceException

{

//Constructor.

public PunctuationException(String str)

{

super(str);

}

}

Driver.java

//Include the header file.

import java.util.Scanner;

//Define the class Driver to check the sentence.

public class Driver {

//Define the function to check the sentence exceptions.

public String checkSentence(String str)

throws EndOfSentenceException

{

//Check the sentence ends with full stop,

//exclamation mark

//and question mark.

if(!(str.endsWith(".")) && !(str.endsWith("!"))

&& !(str.endsWith("?")))

{

//Check the sentence is ending with comma.

if(str.endsWith(","))

{

//Throw the CommaException.

throw new CommaException("You can't "

+ "end a sentence in a comma.");

}

//Otherwise.

else

{

//Throw PunctuationException.

throw new PunctuationException("The sentence "

+ "does not end correctly.");

}

}

//If the above conditions fails then

//return this message to the main function.

return "The sentence ends correctly.";

}

//Define the main function.

public static void main(String[] args)

{

//Create an object of Scanner

Scanner object = new Scanner(System.in);

//Prompt the user to enter the sentence.

System.out.println("Enter the sentence:");

String sentence=object.nextLine();

//Begin the try block.

try {

//Call the Driver's check function.

System.out.println(new

Driver().checkSentence(sentence));

}

//The catch block to catch the exception.

catch (EndOfSentenceException e)

{}

}

}

Where can we buy a cryptocurrency? from below options

A) Through a private transaction

B) All the options

C) Cryptocurrency Exchanges

D) In a smart contract

Answers

it would be C

hope this helps!

Write a function remove_italicized_text that takes one parameter, a string named sentence. The string might contain HTML tags for representing italicized text. An HTML tag is a kind of code that directs the web browser to format content in a particular way.

Answers

Answer:

See explaination

Explanation:

def remove_italicized_text(x):

ans = ""

n = len(x) # length of string

i = 0

while i < n:

if x[i:(i+3)] == "<i>": # check for opening italic html tag

i += 3

cur = ""

while i < n:

if x[i:(i+4)] == "</i>": # check for closing italic html tag

break

cur += x[i]

i += 1

i += 4

ans += cur # add the text between two tags into output string

ans += " " # adding a space between two next

ans += cur # add the text again

else:

ans += x[i]

i += 1

return ans

sentence = "<i>Stony Brook</i>"

print("sentence = " + sentence)

print("Return value: " + remove_italicized_text(sentence))

print("\n")

sentence = "I <i>love</i> SBU, yes I do!"

print("sentence = " + sentence)

print("Return value: " + remove_italicized_text(sentence))

print("\n")

sentence = "Hey <i>Wolfie</i>, he's so fine, we hug him <i>all the time</i>!"

print("sentence = " + sentence)

print("Return value: " + remove_italicized_text(sentence))

print("\n")

sentence = "This text has no italics tags."

print("sentence = " + sentence)

print("Return value: " + remove_italicized_text(sentence))

print("\n")

Write a program that uses cin to get the name of a file from the user. The file will be a plain text file that contains information about different objects of type "BibleBook". BibleBook will be defined as a class. The private member attributes are: string title; int numChapters; double amountRead; The title will hold the title of the book, for example, "Genesis", "Exodus", "Psalms", etc. numChapters will hold the number of chapters in that book. amountRead will be a decimal ranging from 0 to 1. If the value is 0, that means you have read none of that book. If the number of 0.50, that means you have read half of that book, etc. You will need to discover the public member functions that need to be written based on the description. The text file will be organize like so: Each line will hold the title of a book, then a space, then the number of chapters, then a space, then the amount read of that book. Here's an example: Genesis 50 0.98 Matthew 28 1.00 Your program will read in this information and store each line in it's own object, and the objects will be part of a vector. In other words, there will be a vector of BibleBooks. Your program will then iterate through the vector, displaying all of the information about each object. The program will also identify for which object the amount read is the lowest. Sample output: Genesis 50 0.98 Matthew 28 1 The book with the lowest amount read is Genesis.

Answers

Answer:

See explaination

Explanation:

#include<iostream>

#include<vector>

#include<string>

#include<iostream>

#include<fstream>

using namespace std;

class BibleBooks{

public:

BibleBooks(string bk_title, int chapters, double percentage){

title=bk_title;

numChapters=chapters;

amountRead=percentage;

}

string getTitle(){

return title;

}

int getChapters(){

return numChapters;

}

double getPercentage(){

return amountRead;

}

private:

string title;

int numChapters;

double amountRead;

};

int main(){

char filename[200];

cout<<"Enter filename: ";

cin.get(filename,199);

vector<BibleBooks> bibleBooks;

ifstream infile(filename);

if(infile.is_open()){

string title; int chapters; double percentage;

while(infile>>title>>chapters>>percentage){

BibleBooks bb = BibleBooks(title,chapters,percentage);

bibleBooks.push_back(bb);

}

infile.close();

}else{

cout<<"Unable to read data from file: "<<filename;

}

//Your program will then iterate through the vector,

// displaying all of the information about each object.

int index_lowest_read=0;

for(int i=0; i<bibleBooks.size();i++){

cout<<bibleBooks.at(i).getTitle()<<" "

<<bibleBooks.at(i).getChapters()<<" "

<<bibleBooks.at(i).getPercentage()<<endl;

if(bibleBooks.at(index_lowest_read).getPercentage()>

bibleBooks.at(index_lowest_read).getPercentage()){

index_lowest_read=i;

}

}

cout<<"The book with the lowest amount read is "

<<bibleBooks.at(index_lowest_read).getTitle()<<endl;

}

Suppose you are currently in the /home/hnewman/os/fall/2013 directory and would like to navigate to /home/hnewman/discreteStructures/spring/2011 directory and would like to navigate using absolute path names. What command will you type in the shell? A. cd /home/hnewman/discreteStructures/spring/2011 B. cd discreteStructures/spring/2009 C. cd ../../..discreteStructures/spring/2009 D. cd ../../discreteStructures/spring/2009

Answers

Answer:

  A. cd /home/hnewman/discreteStructures/spring/2011

Explanation:

Nothing with 2009 in the pathname will get you where you want to go. The only reasonable answer choice is the first one:

  cd /home/hnewman/discreteStructures/spring/2011

Consider the class Complex (see problem 11.13, page 633-635). The class enables operations on so called complex numbers. a) Modify the class to enable input and output of complex number through the overloaded << and >> operators (you should modify or remove the print function from the class). b) Overload the multiplication * and the division / operators. c) Overload the

Answers

Answer:

See explaination

Explanation:

// Complex.h

#ifndef COMPLEX_H

#define COMPLEX_H

#include <iostream>

using namespace std;

class Complex

{

friend ostream &operator<<(ostream &, const Complex &);

friend istream &operator>>(istream &, Complex &);

private:

// Declare variables

double real;

double imaginary;

public:

// Constructor

Complex(double = 0.0, double = 0.0);

// Addition operator

Complex operator+(const Complex&) const;

// Subtraction operator

Complex operator-(const Complex&) const;

// Multiplication operator

Complex operator*(const Complex&) const;

// Equal operator

Complex& operator=(const Complex&);

bool operator==(const Complex&) const;

// Not Equal operator

bool operator!=(const Complex&) const;

};

#endif

// Complex.cpp

// Header file section

#include "Complex.h"

#include <iostream>

using namespace std;

// Constructor

Complex::Complex( double realPart, double imaginaryPart )

: real( realPart ),

imaginary( imaginaryPart )

{

// empty body

}

// Addition (+) operator

Complex Complex::operator+( const Complex &operd2 ) const

{

return Complex( real + operd2.real,

imaginary + operd2.imaginary );

}

// Subtraction (-) operator

Complex Complex::operator-( const Complex &operd2 ) const

{

return Complex( real - operd2.real,

imaginary - operd2.imaginary );

}

// Multiplication (*) operator

Complex Complex::operator*( const Complex &operd2 ) const

{

return Complex(

( real * operd2.real ) + ( imaginary * operd2.imaginary ),

( real * operd2.imaginary ) + ( imaginary * operd2.real ) );

}

// Overloaded = operator

Complex& Complex::operator=( const Complex &right )

{

real = right.real;

imaginary = right.imaginary;

return *this; // enables concatenation

} // end function operator=

bool Complex::operator==( const Complex &right ) const

{

return ( right.real == real ) && ( right.imaginary == imaginary )

? true : false;

}

bool Complex::operator!=( const Complex &right ) const

{

return !( *this == right );

} // end function operator!=

ostream& operator<<( ostream &output, const Complex &complex )

{

output << "(" << complex.real << ", " << complex.imaginary << ")";

return output;

}

istream& operator>>( istream &input, Complex &complex )

{

input.ignore();

input >> complex.real;

input.ignore( 2 );

input.ignore();

return input;

}

// ComplexMain.cpp

// Header file section

#include <iostream>

#include "Complex.h"

using namespace std;

// main method

int main()

{

// Declare complex numbers

Complex x, y(4.3, 8.2), z(3.3, 1.1), k;

cout << "Enter a complex number in the form: (a, b): ";

// Demonstrating overloaded

// Accept a complex number

cin >> k;

// Display complex numbers

cout << "x: " << x

<< "\ny: " << y

<< "\nz: " << z

<< "\nk: " << k << '\n';

// Operator overloading

// Adding two complex numbers

x = y + z;

cout << "\nx = y + z:\n"

<< x << " = "

<< y << " + " << z << '\n';

// Subtract two complex numbers

x = y - z;

cout << "\nx = y - z:\n"

<< x << " = " << y << " - " << z << '\n';

// Multiply two complex numbers

x = y * z;

cout << "\nx = y * z:\n"

<< x << " = " << y << " * " << z << "\n\n";

if (x != k)

{

cout << x << " != " << k << '\n';

}

cout << '\n';

x = k;

if (x == k)

{

cout << x << " == " << k << '\n';

}

return 0;

}

What is the name of the top-level parentless folder in a digital file system?

Answers

Answer:

ROOT

Explanation:

Correct me if I'm wrong but I'm pretty sure it's called a "Root Folder" meaning it is the very first folder in the list

what is the molarity of a solution prepared by dissolving 15.0g of sodium hydroxide in enough water to make a total of 225 ml of solution​

Answers

Answer:

1.6666 g/mol = 1 [tex]\frac{2}{3}[/tex] g/mol

Explanation:

Molar mass of NaOH= 23+16+1 =40g/mol

Mols in 15g = 15/40 mol

If this was dissolved in 225ml of water molarity of the solution is

[tex]\frac{15}{40}[/tex] ÷ 225 x 1000 = 1.6666 g/mol = 1 [tex]\frac{2}{3}[/tex] g/mol

Final answer:

The molarity of the sodium hydroxide solution is calculated by dividing the number of moles of NaOH (0.375 moles) by the volume of the solution in liters (0.225 L), resulting in 1.667 M.

Explanation:

The molarity of a solution is determined by the number of moles of solute per liter of solution. To find the molarity of the solution, we need to know the molar mass of sodium hydroxide (NaOH), which is approximately 40 g/mol. First, we convert the mass of NaOH to moles:

Mass of NaOH = 15.0 g

Molar mass of NaOH = 40 g/mol

Moles of NaOH = Mass / Molar mass = 15.0 g / 40 g/mol = 0.375 moles

Second, we convert the volume of the solution from milliliters to liters:

Volume of solution = 225 mL

1 liter = 1000 mL

Volume in liters = 225 mL / 1000 = 0.225 liters

Finally, we calculate the molarity of the solution using the formula:

Molarity (M) = Moles of solute / Volume of solution in liters

Molarity (M) = 0.375 moles / 0.225 liters

Molarity (M) = 1.667 M

Therefore, the molarity of the sodium hydroxide solution is 1.667 M.

The Phonebook class must also have the following functions: Constructor with 1 integer parameter for size (numberOfContacts is initially set to 0; allocate memory for myContacts). Copy constructor. Assignment operator. Destructor. int getNumberOfContacts() // Getter int getSize() // Getter contact getContact(int i) //returns contact at index i (you can assume 0 < i < numberOfContacts) bool addContact(string name, string phonenumber, string email) // add a new contact at the end of the phonebook using the received parameters. Returns true if succesful, false if the contact couldn't be added because the phonebook is already full.

Answers

Answer:

See explaination

Explanation:

#include <iostream>

using namespace std;

struct contact

{

string name;

string phoneNumber;

string email;

bool available;

};

class Phonebook

{

private :

int numberOfContacts;

int size;

contact *myContacts;

public :

Phonebook(int size)

{

this->size=size;

this->numberOfContacts=0;

myContacts=new contact[size];

}

~Phonebook()

{

delete[] myContacts;

}

int getNumberOfContacts()

{

return numberOfContacts;

}

int getSize()

{

return size;

}

void addContact(string name,string phonenumber,string email)

{

contact c;

c.name=name;

c.phoneNumber=phonenumber;

c.email=email;

c.available=true;

myContacts[numberOfContacts]=c;

numberOfContacts++;

}

void removeContact(string name)

{

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

{

if(myContacts[i].name.compare(name)==0)

{

this->myContacts[i].available=false;

contact temp=myContacts[numberOfContacts-1];

myContacts[numberOfContacts-1]=myContacts[i];

myContacts[i]=temp;

numberOfContacts--;

}

}

}

Phonebook(const Phonebook& pb)

{

this->myContacts=pb.myContacts;

this->size=pb.size;

this->numberOfContacts=numberOfContacts;

}

Phonebook& operator=(const Phonebook & pb)

{

myContacts=new contact[size];

this->size=pb.size;

this->numberOfContacts=pb.numberOfContacts;

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

{

this->myContacts[i]=pb.myContacts[i];

}

return *this;

}

void print()

{

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

{

if(myContacts[i].available==true)

{

cout<<"Name :"<<myContacts[i].name<<endl;

cout<<"Phone Number :"<<myContacts[i].phoneNumber<<endl;

cout<<"Email :"<<myContacts[i].email<<endl;

cout<<endl;

}

}

}

};

int main(){

Phonebook pb1(10);

pb1.addContact("Williams","9845566778","williamatmail.com");

pb1.addContact("James","9856655445","jamesatmail.com");

cout<<"_____ Displaying Phonebook#1 contacts _____"<<endl;

pb1.print();

pb1.removeContact("Williams");

cout<<"_____ After removing a contact Displaying Phonebook#1 _____"<<endl;

pb1.print();

Phonebook pb2(5);

pb2.addContact("Billy","9845554444","billyatmail.com");

pb2.addContact("Jimmy","9834444444","jimmyatmail.com");

cout<<"_____ Displaying Phonebook#2 contacts _____"<<endl;

pb2.print();

pb2=pb1;

cout<<"____ After Assignment Operator Displaying Phonebook#2 contacts____"<<endl;

pb2.print();

return 0;

}

Nb: Replace the at with at symbol.

Data related to the inventories of Costco Medical Supply are presented below: Surgical Equipment Surgical Supplies Rehab Equipment Rehab Supplies Selling price $ 272 $ 130 $ 350 $ 164 Cost 167 129 257 161 Costs to sell 28 18 19 10 In applying the lower of cost or net realizable value rule, the inventory of surgical supplies would be valued at:

Answers

Answer:

The following are the table attachment to this question.

Explanation:

In the given question a table is defined, in the column section, we assign "Particulars, Surgical Equipment, Surgical Supplies Rehab Equipment, Rehab Supplies, and total " and in the row section we assign values.

In the next step, to calculate the net realizable value, we subtract selling price from the cost to cell, and compare the value from the costs. If the value is smaller than then the net realizable value we write its value and at last total column we add all the net realizable value, which is equal to 690. In this table, the value of rehab supplies is $154.

A lamp outside a front door comes on automatically when it is dark, and when someone stands on the doormat outside the front door. A pressure sensor under the mat changes from OFF (0) to ON (1) when someone stands on the doormat. The light sensor is ON (1) when it is light and OFF (0) when it is dark. Design a program to show what would happen to the lamp. Account for all possible scenarios by determining whether the pressure sensor and light sensor are ON or OFF. (HINT: Ask the user "Is it dark?" and "Is someone standing on the doormat outside the front door?")

Answers

Answer:

See explaination

Explanation:

#include <iostream>

#include <string>

using namespace std;

int main()

{

string raptor_prompt_variable_zzyz;

?? standing;

?? dark;

raptor_prompt_variable_zzyz ="Is it dark?";

cout << raptor_prompt_variable_zzyz << endl;

cin >> DARK;

if (DARK=="Yes")

{

raptor_prompt_variable_zzyz ="Is someone standing on the doormat outside the front door?";

cout << raptor_prompt_variable_zzyz << endl;

cin >> STANDING;

if (STANDING=="Yes")

{

cout << "LAMP IS ON" << endl; }

else

{

cout << "LAMP IS OFF" << endl; }

}

else

{

cout << "LAMP IS OFF" << endl; }

return 0;

}

Here's a simple program in pseudo-code to demonstrate the behavior of the lamp based on the inputs from the light sensor and pressure sensor:

Ask user: "Is it dark?" (yes or no)

Read user's response and store it in variable 'is_dark'

Ask user: "Is someone standing on the doormat outside the front door?" (yes or no)

Read user's response and store it in variable 'is_someone_on_doormat'

if is_dark equals yes and is_someone_on_doormat equals yes:

   Turn on the lamp

   Display message: "Lamp turned on because it is dark and someone is standing on the doormat."

else if is_dark equals yes and is_someone_on_doormat equals no:

   Keep the lamp off

   Display message: "Lamp remains off because it is dark but no one is standing on the doormat."

else if is_dark equals no and is_someone_on_doormat equals yes:

   Turn on the lamp

   Display message: "Lamp turned on because someone is standing on the doormat."

else:

   Keep the lamp off

   Display message: "Lamp remains off because it is not dark and no one is standing on the doormat."

This program covers all possible scenarios based on the inputs from the light sensor and pressure sensor and determines whether the lamp should be turned on or off accordingly.

Other Questions
What statement best describes the trade relationship between the US and Ghana maths - simultaneous equations Which type of succession will occur in this environment and why? primary, because it is a newly exposed environment primary, because it was destroyed by logging and fire secondary, because there are some remains of the previous community secondary, because pioneer species have begun breaking down rock In chapter 10, Esperanza bought a small piata for her mom, she filled it up with candy and wanted to give it to her in the hospital. Did Esperanza give the piata to her mom? 2 circles with an area of 9 pi inches squared. The area of one base of the cylinder is 6 pi inches, and the height of the cylinder is 10 inches.The net of a cylinder is shown. The area of one base of the cylinder is 9Pi in.2. The circumference of a base is 6Pi in., and the height of the cylinder is 10 in. Which expression can you use to find the lateral area plus two bases of the cylinder?A)6Pi + 9Pi(10) in.2B)9Pi + 6Pi(10) in.2C)6Pi + 6Pi + 9Pi(10) in.2D)9Pi + 9Pi + 6Pi(10) in.2 InstructionsWrite a method named buildArray that builds an array by appendinga given number of random two-digit integers. It should accept twoparametersthe first parameter is the array, and the second is aninteger for how many random values to add.Print the array after calling buildArray .Sample RunHow many values to add to the array: 12[14, 64, 62, 21, 91, 25, 75, 86, 13, 87, 39, 48) A type of immunity that results from the production of antibodies by the immune system is called ____ immunity What is the measure of angle 1 The senior class at a very small high school has 25 students. Officers need to be elected for four positions: President, Vice-President, Secretary, and Treasurer. a. In how many ways can the four officers be chosen? b. If there are 13 girls and 12 boys in the class, in how many ways can the officers be chosen if the President and Treasurer are girls and the Vice-President and Secretary are boys? At the end of the book, how does Jeanne perceive Manzanar?A) A rally cry to change the lawsB) A great part of her historyC) Something to talk to others aboutD) A reason to be filled with shame Which of the following statements is FALSE?a.Founded in 1866, the KKK began as a social organization created by six Confederate Army veterans.b.The KKK was responsible for starting the Jim Crow Laws in the South.c.Members of the KKK wore white hoods to keep their identity secret so they could act anonymously.d.One goal of the KKK was to gain political power and put Democrats back in office in the South. Identify whether the statement is true or false, and why? Global temperatures have risen in the past, the reason they are dangerous now is because of how fast the change is happening.A. False, it should read Global temperatures have risen in the past, so there is no danger that they are rising now.B. False, it should read Global temperatures have risen in the past, the reason they are dangerous now is because of how slowly the change is happening.C. False, it should read Global temperatures have not risen in the past, so it is very dangerous that this change is happening.D. True 9. Mr. James owns 12 gas stations in Newport News. He wants to build anew gas station on the same block that already has a gas station. Thereare 3 other different gas stations near by. He thinks it will allow thecommunity to have a choice as to which gas to use. What type ofviewpoint does Mr. James have? *preservationist viewpointconservationist viewpointdevelopmental viewpoint The alchemists spent years in their laboratories, observing the fire that purified the metals. They spent so much time close to the fire that gradually "they gave up the vanities of the world. They discovered that the purification of the metals had led to a purification of themselves -Englishman Based on this quote, what might alchemy symbolize? A. gold B. hard work C. studying D. life lessonPLZZZ HELP!! WORTH 30 POINTS AND BRAINLIEST FOR THE FIRST CORRECT ANSWER!! Add the equations.3x - y = -1+ - 3x + 3y= 27O A. 2y = 26O B. -2y=-28O c. 4y= 28O D. 6x - 4y= -28 The data plots represent the hours students study each week in two different classrooms. The mean number of hours a student in Mr. Harts class studies is hours. The mean number of hours a student in Ms. Perrys class studies is hours. A typical student in Mr. Harts class studies a typical student in Ms. Perrys class. The Industrial Revolution began in which country? From the book "The color purple" was it was okay for Miss Millie to touch Sofias children? Why or why not? While using the CLI on a Windows 10 64-bit computer with a single HDD and a single volume, you want to move from the current directory to the directory where Windowsis installedWhich of the following will perform this action? This Venn diagram is being used to compare primary and secondary successions. Which statement belongs in the region marked X? occurs only in cases of volcanic activity changes occur gradually begins when lichens populate an area results in a reduction of the number of species Steam Workshop Downloader