Free Essay

Famine in East Africa

In: Social Issues

Submitted By engeeavril
Words 2314
Pages 10
assessed Lab 5
Built-in functions and methods
ASSESSMENT INFORMATION
This worksheet is one of the seven assessed lab sheets.
It can be assessed within the next 5 weeks. Let me know in advance when you’d like to be assessed.
Deadline: Thursday, 17th of July.
Do not forget to have it ‘signed off’ after you have been assessed.
1 introduction
This laboratory worksheet covers the use of built in functions, methods and classes within the Java programming environment. This laboratory involves the creation of a number of Java programs. Make sure that you save any code you write. Also make sure you save any results or notes that you observe about your work.
Note that you are unlikely to complete this worksheet in just one laboratory session.
2 Preliminaries
Create a project in Eclipse called CS1002_Lab5 and create a corresponding class (say CS1002_Lab5). Try and organise your work (from the following exercises) into separate methods as we did in the previous worksheet.
3 Strings

Copy the following code into your project and run the program.

public static void main(String args[])
{
double number = 1.0/3.0; System.out.println(number);

DecimalFormat number_format = new DecimalFormat("#.##"); String formatted_string = number_format.format(number); System.out.println(formatted_string);
}
Is it showing you an error? Can you fix it?
The DecimalFormat class enables us to format numbers (and other classes) in a variety of ways. In the above example we are formatting the number to two decimal places. Read up on this class in the JavaDocs as we will need it later. http://docs.oracle.com/javase/tutorial/i18n/format/decimalFormat.html To complete the following exercise you will also need a good understanding of the String class: http://docs.oracle.com/javase/6/docs/api/java/lang/String.html http://docs.oracle.com/javase/tutorial/java/data/strings.html http://docs.oracle.com/javase/tutorial/java/data/numberformat.html Exercise 1
Using the following variables (where specified): x = 123.456, y = 17/3, z = √2, a = “Hello”, b = “World”
Write a program that performs the following programming tasks: a) Display y to three decimal places b) Display how many digits come before the decimal point and how many comes after a number. Test this program on x, y and z c) Create a string c that consists of a in reverse concatenated with b, including a space between them d) Search for the substring ‘ll’ in c and replace it for ‘ppp’
4 Mathematical Functions

In this module we will not be using or need many of the mathematical functions that Java supports. However the functions floor, round and ceil are very useful.
Exercise 2
Write a method in a manner similar to the code example below that applies these three functions to a given parameter x and prints the results. public static void main(String args[])
{
RoundingTest(10.2);
}
private static void RoundingTest(double x)
{
//add your code here to apply floor, round and ceil on x
}

a) The output should look like this:
For 10.200000 ceil=11.000000 floor=10.000000 round=10

For this, you need to use the String class method format in your program. Read up on this method in the JavaDocs and Java tutorials (links above). An example of its use is given below:

b) Now use your roundingTest method on the following numbers: -100.1, 100.49, 100.5, -100.51, -100.9, 0, 100.1, 100.49, 100.5, 100.51, 100.9.
5 System Commands
The following snippet of code lists all of the files in a directory. The program uses the File class and the listFiles method of the File class. Read up on these programming constructs in the JavaDocs (as usual). http://docs.oracle.com/javase/6/docs/api/java/io/File.html Exercise 3
Implement the program and note how it works, run it a few times with different directories and verify that it lists the files correctly. You may need to add something for the code to work! public static void main(String args[])
{
String dir_name = “c:\\temp\\”;
//Or another directory. Be careful with the “” that MSWord uses. File dir = new File(dir_name); File[] dir_list = dir.listFiles(); for(int i=0;i<dir_list.length;++i) { System.out.println(dir_list[i].getName()); }
}
Modify the program in the following ways: a) List whether each file is a directory or not. b) In addition to the above, modify the program so that it filters out (that is, doesn’t print) text files (.txt).
Test the program to ensure it is working correctly.

6 Random Number Generation
Again, you need a good understanding of the Random class to be able to complete this exercise. http://docs.oracle.com/javase/6/docs/api/java/util/Random.html Exercise 4
Implement and run the following code snippet. This program generates ten random integers. Note that the numbers range between a very large negative number and very large positive number. This might not be that useful for many applications. Often we want to generate uniformly distributed random numbers between two limits/bounds.
Random rand = new Random(); for(int i=0;i<10;++i)
{
System.out.println(rand.nextInt());
}
Modify, run and test the program as follows: a) Generate random integers between -100 and +100 (inclusive). b) Generate random integers between limits (pre-specified) a and b. c) Generate random doubles between zero and one. d) Generate random doubles between limits (pre-specified) a and b.
Make sure your programs cater for any error conditions, e.g. where b > a.
7 File Handling
Implement the two programs that read and write to a text file from the lecture notes. Test them to see if they work. Base your solutions to the following two exercises on these programs.

Exercise 5: Reading Data

Copy-paste the text in Appendix A, to create a text file called “the art of flying.txt”. Write a program that takes as a parameter the name of the file and returns an integer containing the number of words in that file. The text in Appendix A contains 558 words.
Test your program on several of your own test files and the file you have created from the Appendix.
Note that you can use Microsoft Word to count the number of words in a text file.
Exercise 6: Writing Data a) Complete the following code that takes as input a number n and a text string filename and writes n lines to the file where each line is of the form: i: sqrt(i). i should take all values from 1 to n.

Follow the example below: public static void main(String args[]) throws IOException { writefile(5,"c:\\temp\\ex6.txt" ); } public static void writefile(int n, String filename)throws IOException{ FileWriter writehandle = new FileWriter(filename);

//complete the rest of the code to write in the file }
The contents of the file should look like the following after running your code:
1 : 1.0
2 : 1.4142135623730951
3 : 1.7320508075688772
4: 2.0

b) Now modify the writefile method so that the contents of the files will look like that:
That is, the first square root is to one decimal place, the second is to two decimal places and the third is to three decimal places.
1: 1.0
2: 1.41
3: 1.732
4: 2.0000
8 Creating a JAR File and Command Line Java
Create a separate project called JARExample. Add the following code (and class): public class JARExample
{
public JARExample() { System.out.println("This Class does very little"); } public static void main(String args[]) { for(int i=0;i<args.length;++i) { System.out.println(args[i]); } }
}

DO NOT ADD THIS CODE TO THE EXISTING PROJECT - CS1002_Lab5.
Run the program. You should find that it does absolutely nothing!
Exercise 7: Creating a JAR File
We are now going to create our own JAR file as described in the lectures.
Choose the menu options File and then Export. When the dialog box appears, expand the Java option and then select JAR file.
You should get to the point shown in the figure below:

Click Next>, the following dialog box should appear.

In the section of the dialog box that says Select the resource to export:, choose the JARExample project. In the section of the dialog box that says Select the export destination: enter a location for the JAR file to be created in, for example: c:\temp\JARExample.jar. Do not change any of the other settings.
Click Next> and then Next> again, you should get the following dialog box. In the section of the dialog box that says Select the class of the application entry point: enter the name of the class we created, JARExample. Click the Finish button and verify that a JAR file has now been created in the expected location.

Go back to the CS1002_Lab5 project and add the following line of code:
JARExample je = new JARExample();
You should get an error indicating that Eclipse cannot find the JARExample class. This is because we did not include the source code for in the JARExample project. However we are now going to tell Eclipse where to find the JAR file that we created.
Select the menu options Project->Properties and select Java Build Path. You should get the following dialog box. Choose Add External JARs… and select the JAR file that we created.

Click OK once the JAR file has been selected. Run the program and note the output.
Modify the JARExample program so that it will produce some other text and repeat the process described above.
Exercise 8: Command Line Java
Note that our JARExample program has a main method. This is for demonstrating the running of Java from the command line.
Start up a Windows Command Window. Type the following command: java –jar c:\temp\JARExample.jar
Make sure you use the correct location of your JAR file.
Nothing should happen. Now type the following: java –jar c:\temp\JARExample.jar A B C D
Note the output. The extra text after the JAR filename is put into a String array and passed into the main method. Hence the parameter in the definition of main. This is how command line programs that take parameters can be created.
Modify the JARExample program so that it produces output of the form:

Parameter 1 = A
Parameter 2 = B
Parameter 3 = C
Parameter 4 = D when run from the Command Window.

Appendix A. Sample Word Count Text
There is an art, it says, or rather, a knack to flying. The knack lies in learning how to throw yourself at the ground and miss. Pick a nice day, and try it. The first part is easy. All it requires is simply the ability to throw yourself forward with all your weight, and the willingness not to mind that it's going to hurt. That is, it's going to hurt if you fail to miss the ground. Most people fail to miss the ground, and if they are really trying properly, the likelihood is that they will fail to miss it fairly hard. Clearly, it is the second part, the missing, which presents the difficulties. One problem is that you have to miss the ground accidentally. It's no good deliberately intending to miss the ground because you won't. You have to have your attention suddenly distracted by something else when you're halfway there, so that you are no longer thinking about falling, or about the ground, or about how much it's going to hurt if you fail to miss it. It is notoriously difficult to prize your attention away from these three things during the split second you have at your disposal. Hence most people's failure, and their eventual disillusionment with this exhilarating and spectacular sport. If, however, you are lucky enough to have your attention momentarily distracted at the crucial moment by, say, a gorgeous pair of legs (tentacles, pseudopodia, according to phylum and/or personal inclination) or a bomb going off in your vicinity, or by suddenly spotting an extremely rare species of beetle crawling along a nearby twig, then in your astonishment you will miss the ground completely and remain bobbing just a few inches above it in what might seem to be a slightly foolish manner. This is a moment for superb and delicate concentration. Bob and float, float and bob. Ignore all consideration of your own weight simply let yourself waft higher. Do not listen to what anybody says to you at this point because they are unlikely to say anything helpful. They are most likely to say something along the lines of "Good God, you can't possibly be flying!" It is vitally important not to believe them or they will suddenly be right. Waft higher and higher. Try a few swoops, gentle ones at first, then drift above the treetops breathing regularly. DO NOT WAVE AT ANYBODY. When you have done this a few times you will find the moment of distraction rapidly easier and easier to achieve. You will then learn all sorts of things about how to control your flight, your speed, your maneuverability, and the trick usually lies in not thinking too hard about whatever you want to do, but just allowing it to happen as if it were going to anyway. You will also learn about how to land properly, which is something you will almost certainly screw up, and screw up badly, on your first attempt. There are private clubs you can join which help you achieve the all-important moment of distraction. They hire people with surprising bodies or opinions to leap out from behind bushes and exhibit and/or explain them at the critical moments. Few genuine hitchhikers will be able to afford to join these clubs, but some may be able to get temporary employment at them.

Similar Documents

Premium Essay

Poop

...Empire, Middle East, China, Japan, India, Pakistan and Africa! We want this party to emphasize that World War 1 was a GLOBAL event, and it impacted areas more than just Europe! Here is a sneak peak of what you will see about Africa…Over 100,000 men in East Africa and 65,000 men from French North/West Africa lost their lives. Caused by World War 1, Africa subsequently had stronger political tensions and frustrations, which led to mutinies and uprisings. A primary political result of World War 1 was the passing of control of German East Africa to Britain and Belgium. Africa saw rising inflation while trade with Europe was disrupted, causing sharp effects on their economic state. It was believed that Africans earned independence through wartime sacrifices, which led to growth of nationalism. World War 1 brought an end to German colonial rule in Africa. Many major public works projects such as construction of roads and buildings in Africa were postponed. A large amount of African civilians were used as porters, who carried weapons and provisions. 100,000 porters died, which shows that many African civilians were negatively affected. Over 100,000 men in East Africa and 65,000 men from French North/West Africa lost their lives. Caused by World War 1, Africa subsequently had stronger political tensions and frustrations, which led to mutinies and uprisings. A primary political result of World War 1 was the passing of control of German East Africa to Britain...

Words: 734 - Pages: 3

Free Essay

Famine

...Introduction Famine is described by the Global Express Edition as a “crisis in which starvation from too little food results in a sharp amount of deaths in one place,”[1] and a crisis it is. In addition to war, famine is also one of the most common ways of which people are dieing in the sub-Saharan Africa region. Famine, on the other hand, is not as widely talked about, around the world, but leads to the same result, numerous amounts of deaths. Hundreds of thousands to millions of people in sub-Saharan Africa have died as a result of this crisis in different nations, such as Sudan, Ethiopia, (fill in different countries). However, famine is not something that happens overnight, and many factors lead to this major crisis. There are many major factors that build up to the final occurrence of a famine in sub-Saharan Africa. The major causes of famine are droughts, war, economic issues, and food distribution. One of the five causes may lead to a major famine, however, when two or more of the causes “work together” to produce a famine, the situation may become hectic. For example, if a war happens to erupt during a drought, it becomes harder for a nation to prevent an all-out famine crisis rather than if their was just a drought. It has become apparent that international and national intervention is needed to help prevent future famines from taking place. Organizations such as the United Nations (UN), Food Association Organization (FAO), United States Aid...

Words: 3245 - Pages: 13

Premium Essay

Ap World History Dbq Essay

...beginning and end of slave trade. However, when the Europeans migrated over to Africa and Asia, they colonized and conquered territories. During the 18th century, migration of the European people into the Americas was mostly based around imperialism. European countries felt the need to expand and colonize, such as Great Britain, which had many colonies along the east coast of North America. Additionally, Spain colonized the Caribbean and also areas in South America. However, when the Africans came over to the...

Words: 802 - Pages: 4

Premium Essay

Famine Case Study

...Famine Case Study 2011 Shohei Morita 3 November 2011 Examine causes and consequences of a recent famine. Since July 2011, Somalia has been hit with East Africa’s worst drought in 60 years, with over 12 million people in east African region needing food aid, according to the UN. They have also warned that this drought and famine could cause death of over 750 000 people in Somalia. As it can be seen on Map 1, other countries around Somalia such as Djibouti, Kenya, and Ethiopia have been affected as well. The key on the map shows that the areas marked with dark red are areas affected the most. The UN officially declared famine on 20 July 2011 in southern Somalia. Since then, 4 more regions including the entire Bay region in Somalia were declared famine. Somalia has been affected by constant drought for the past 30 years, while having civil war causing destruction to its rural and urban economies. Somalia has been categorized as a “failed state”. So what has caused them to become a failed state? Causes of this recent famine can be categorized into social, economic, and environmental. Somalia is also known as a failed state, a country without government. Besides the civil war they have had for the past 20 years, corrupted governments and lack of infrastructures. Firstly, Somalia has a corrupted government and lack of infrastructure. This prevents any form of aid group or government from transporting food and any other aid items. Also, the Somalia ordered 700 tons of...

Words: 615 - Pages: 3

Free Essay

Geography Explaining Ethiopia

...Some parts of the Horn of Africa have been hit by the worst drought in 60 years, the UN says. Large areas of Somalia, Ethiopia, Djibouti and Kenya are in a crisis or an emergency. The Sahel region of Africa has been suffering from drought since the early 1980s. The land is marginal in Sahel regions over cultivation, overgrazing are human activities can lead to desertification especially when it is combined with drought. Drought is a prolonged period of abnormally low rainfall for a specific area, which leads to a shortage of water. A drought occurs when there in to enough rainfall to support people or crops. Sahel is in the Eco-climatic and bio-geographic zone stretch/transition between the Sahara desert (north) and the Sudanian Savannas (south). It is also located between the Atlantic Ocean and the Red sea. Covers parts of Senegal, southern Mauritania, Mali, Burkina Faso, southern Algeria, northern Nigeria, Chad, Sudan, northern Ethiopia and Eritrea Annual rainfall is 200 mm in the north and 600 mm in the south on average. There are not enough wells to access water in the ground to provide irrigation when the rains fail. Since 1985, 77% of tree cover has been cut down, this reduces transpiration from plants and so means rain is less likely. Ethiopia is a very poor country, the 5th poorest in the world. The result of drought is soil erosion, famine, starvation. 60% export food .80% of the population rely on agriculture mainly in subsistence and rain-fed farming and livestock...

Words: 1019 - Pages: 5

Free Essay

Somalia

...Soc 355: Minority Group Relations Somalia Presentation Paper When I walked into the presentation tonight I had no idea what to expect. I thought for a second it might be another presentation that just simply bores the audience with listing statistics of bullies in schools or dealing with discrimination that I would never come across or face. It was not though; the presentation was a real experience. In a sense, it could have been too real. Somalia is a country that is located on the far east of Africa. This country is in a region known as the “Horn of Africa”. Somalia is in the center of what is said to be the worst drought in Africa in over 60 years. With most of the country side being couple empty and home to absolutely nothing, the region has been officially declared as one of the few famines areas in world history. There are currently over 10 million men, women and children that are desperate need of food and water. Over 600,000 children are in despair as their country fights poverty, drought, and civil war. There is no more grass in the fields. Farms are no longer filled with animals. There is no longer food for parents to provide to their children. There is no more water in wells. The countryside people are forced to abandon their homes, their cities, and their farms to make the treacherous voyage towards a refugee camp. They leave because they have absolutely nothing left. They leave on a path on foot that is faced with dangerous obstacles of facing wild dangerous...

Words: 659 - Pages: 3

Free Essay

Hunger

... Hungry Children in Africa All over the world there are hungry children. Africa, however, is especially overwhelmed with child hunger. This is a major issue that needs to be resolved because the children are the future. Natural disasters, lack of resources and lack of knowledge all are main causes leading to child hunger in Africa. However, there are many solutions to this problem. People can make a difference, as well as organizations. The best solutions tend to be the simplest. One of the leading causes to child hunger in Africa is no access to available food. Natural disasters make it harder for children to obtain food. The small amount of rain that falls on the arid plains of the Horn of Africa is not nearly enough water to grow the life-sustaining corn, sorghum, and wheat that is needed in order to feed the hundreds of millions of children that deal with the hardships of famine, nor is it enough water to sufficiently quench their endless thirst (Harrington). Over the years life-giving rains have once again failed to consistently fall in East Africa. In some places in the region, rain has not fallen in nearly a year. There is not enough grass to feed the cattle and therefore like the people that herd them, they too begin to perish from excessive heat, thirst, and hunger. As a result of the drought the price of food in the markets continue to rise to an all-time high. Population growth is also a factor contributing to the famine. There are so many children being...

Words: 963 - Pages: 4

Free Essay

African Tradition

...Piracy Off the Horn of Africa The horn of Africa had long been a region of significant economic and its waters had facilitated trades between north east Africa, south Arabia and Asia. Today that region of Africa is devastated by lack employment, environmental hardship and insecurity. Many of fishing communities along the coast of Somalia see their means of livelihood stripped and joined the ranks of the pirates out of the need to survive. While the profitability of piracy appears to be a primary motivating factor, one can argue poverty is the primary cause of the crisis. Today the horn of Africa is one of the continent most unsecured regions. There is no way one can truly understand the piracy problem without looking at the causes. Civil war and famine have fueled lawlessness and anarchy in Somalia since the Somali government collapsed in 1991. Somalia lack of government and recurrent civil wars have created a flood of refugees and thousand of somaliens had fled the region with no jobs, and no prospects for the future. In addition to the lack of stable government, the famine and drought, there is also thousand kilometres of coastline unguarded. This has atracted some foreign commercial fishing fleets that have plundered the Horn of Africa for valuable fish and the situation has left the local fisherman depleted with their survival means . According to the united nations “ United Nations estimates $300 million worth of seafood...

Words: 727 - Pages: 3

Premium Essay

Arguments of Peter Singer

...Arguments of Peter Singer PHI200: Mind and Machine (ABT1315A) April 19, 2013 Singer’s goal in the article “Famine, Affluence and Morality” is to get people to think differently about famine relief, charity, and morality. These are key issues that people need to be more aware of and act on them. People who are financially stable and well off should take more of an active role by giving more. They should feel obligated in helping those in need. There are many people suffering severely, those who can help are doing nothing. People should be more willing to give help rather than being obtuse & self-centered. Singer argues it is wrong for a person to suffer from homelessness, hunger, or lack of medical attention. These needs are essential in life and without them can alimentally lead to one’s death. Another argument Singer gives is if a person is wealthy, they are more than capable to help others financially. They need to feel obligated to do so. Instead of a person spending money on extras and materialistic items for themselves, they should donate that money to the poor. The money should help with necessities for the poor and uplift them. On the same point he points out, one should not sacrifice if it would put them in harm’s way. Singer’s concept of marginal utility is that one should give as much as possible to the unfortunate; it should never create a hardship to the giver. This would be doing more harm than good. When a person contributes to the poor...

Words: 1027 - Pages: 5

Premium Essay

World Civilizations Chapter 15 Outline

...Chapter 15 Study Guide In 1200, the Middle East and north Africa were dominated by two powerful empires: Byzantine and Islamic caliphate. By 1400, this structure was in disarray: • Byzantine was in decline, pressed by invading Ottoman Turks. Constantinople fell to Turks in 1453, ending empire. • By 1200s, the Muslims had fallen to Mongols. Arabs never able to unite the entire region again. Decline of Islamic caliphate: decline of caliphate and its economy was gradual and incomplete – not at all like the dramatic fall of Rome • authority of caliphate declined, landlords seized power, peasants became serfs on large estates • agricultural productively declined, tax revenues declined • Arab and Middle Eastern traders lose ground: European merchants began to exercise control of their turf and challenge the Arabs in other parts of the Mediterranean. Still, Arab and Persian commerce remained active in Indian Ocean. • The emerging Ottoman Turks expanded into southeastern Europe, and the power (both politically and militarily) was frightening to other people in other areas, such as western Europe. A Power Vacuum in International Leadership • Turkish rulers unable to reestablish Islamic position in international trade. Turks scornful of Arabs (though both were Muslim), did not promote trade, especially maritime trade, as vigorously as in past. • Turkic expansion was important well into 17th century, but real focus was on conquest...

Words: 1693 - Pages: 7

Free Essay

Gke1- Geography and the Development and Diffusion of Human Society

...Running head: GEOGRAPHY AND THE DEVELOPMENT AND DIFFUSION OF Geography and the Development and Diffusion of Human Societies GKE1- Western Governors University Geography and the Development and Diffusion of Human Societies Evaluating and researching how environmental and geographical factors, such as the availability of resources and location of land have affected and continue to affect the human race through development, distribution, and diffusion is not only intriguing but complex as well. The ancient site of Mesopotamia, appears to have been the first look at the world’s civilization. Mesopotamia; is Greek for between two rivers. This actually created a significant physical geographical factor that contributed to the Mesopotamian people, the land being fertile, and the beginning of civilization and urbanization. Mesopotamia was flat land that was situated between the Tigris and the Euphrates Rivers. The land was rich in nutrients and clay that allowed for the Mesopotamian people to plant crops, build shelters to live in and store their harvested crops, also allowed for the benefits of domestication of animals. Even through all of the development of their lands it was not without transgression, they did have to overcome many environmental issues: floods, droughts, storms, dust, heat, disease and even death. The Mesopotamian people held strong and allowed them to overcome and prosper (Mark, 2009) (Guisepi, 1998) (Historical TV, 2013). With...

Words: 1313 - Pages: 6

Free Essay

Globalisation

...LECTURE 1 THE KHOISAN AND THEIR ENVIRONMENT Introduction: Khoisan are historically the earliest inhabitants of Southern Africa. They dominated Southern Africa for hundreds of years before the arrival of the Bantu groups. Archaeological evidence obtained from sites on the West Coast such as Kasteelberg show occupation by herders between 1600 and 1800 years ago, ie around 200-400AD They owed to a great extent their livelihood to the natural environment conditions which obtained. This is demonstrated by the fact that they derived the three basic fundamentals of life; food, shelter and clothing from the flora and fauna of the region. The San They were referred to as hunter-gatherers. [Bushmen by whites; Twa by Xhosa, Roa by Sotho and San by Khoikhoi] They occupied the mountainous, plateau and coastal areas of Southern Africa as evidenced by their paintings on rocks and cave walls throughout the sub-continent. They were neither herders nor agriculturalists, so they depended on hunting and gathering. [ie they survived on what the environment provided] Archaeological evidence has proven that the San might have made meat an important part of their diet before the invention of projectile weapons. How was this possible without weapons? The San killed newly born or sick animals Ran down animals Scavenging They drove large animals over cliffs or into swamps and then slaughtered them. Meat was thus an important part of their diet from time immemorial. As their Stone Age technology improved...

Words: 10566 - Pages: 43

Premium Essay

Gmos Vs GMO

...GMOS are the present equivalent of the green revolution and will end hunger and famine all over the world. The green Revolution rose from the need for humanity to survive famine and hunger was killing people in the millions. The green revolution changed agriculture everywhere and hybrid seeds introduced new way to cultivate faster growing food putting those who can afford the hybrid seeds in an advantage. GMOs also have the potential to help humanity eradicate hunger and famine by helping decrease the cost of production of crops. Hunger and famine are usually caused by combination of natural and physical conditions, but, primarily it is due to drought. There are some other causes of famine and hunger connected to politics and government apprehending’s...

Words: 1038 - Pages: 5

Free Essay

Business Letter

...South Block, Raisina Hill New Dehli, India 110001 Dear Dr. Manmohan Singh: I was recently given the chance to visit the country of India. It was an amazing adventure unlike any other I have had before and I enjoyed it immensely. However, while I was there I had the pleasure to visit some communities where the great people of India were stricken with poverty and hunger. I witnessed children, pregnant woman, mothers, and entire families severely famished, underweight and unhealthy. I saw mothers watch their children starve to death and met many orphans who had lost their entire families, left to fend for themselves all because of lack of nourishment. I realize that famine has become a recurrent way of life for the people of India. It has taken over 60 million lives over the last three centuries (Famine In India), yet no one has taken any action to change the problem. It is said that at least 50 million Indians are on the brink of starvation and over 200 million Indians are underfed, even as I write you this letter now. (Ramachandran). Simply having a meal to eat and food in our bellies is something many of us take advantage of every day and something every human being deserves to have access to. For this problem I’ve created the DirtMaster 3000™. I know right now you’re thinking, “Dirt?” So let me explain. The DirtMaster 3000™ is a microwave like appliance that anyone can use. You put dirt inside and turn it on. The DirtMaster 3000™ then changes the entire molecular structure...

Words: 680 - Pages: 3

Premium Essay

What Were the Motives of the Scramble for Africa?

...slavery in 1807, with the active assistance of West African Christians and former slaves like Olaudah Equiano, and her attitude towards Africa was at least partly shaped by her abhorrence of the slave trade. Livingstone sounded an important call for a worldwide crusade to open up Africa. A new slave trade, organized by Swahili and Arabs in East Africa, was eating out the heart of the Continent and Livingstone called for its abolition through the 3 C’s mentioned above. Another famous figure around whom the Scramble for territory close to the Nile revolved was General Gordon. There was undoubtedly a degree of missionary intervention in the 1880s. In Uganda there were very powerful missionary groups who had already contributed substantial funds to keep a British presence in the country. They certainly feared a massacre of Christian subjects if Britain left and this may have played a role in helping to defeat those who wished to see Britain evacuate the area. According to M Chamberlain, ‘The missionary societies, almost without exception, had very effective propaganda machines and the picture they drew of Africa gained very wide acceptance.’ (Scramble for Africa p. 24) The desire to stamp out slavery once and for all was high on the agenda at the Berlin Conference of 1884-1885, which was convened by Otto von Bismarck to discuss the future of Africa. The Berlin Act of 1885, signed by 13 European powers attendin the conference, included an important resolution to 'help in suppressing...

Words: 1991 - Pages: 8