Saturday, August 31, 2019

C# Step by Step Codes

SREEKANTH C# STEP BY STEP Microsoft Visual Studio C#. NET Step By Step 1 SREEKANTH C# STEP BY STEP Introduction Microsoft Visual C# is a powerful but simple language aimed primarily at developers creating applications by using the Microsoft . NET Framework. It inherits many of the best features of C++ and Microsoft Visual Basic, but few of the inconsistencies and anachronisms, resulting in a cleaner and more logical language. The advent of C# 2. 0 has seen several important new features added to the language, including Generics, Iterators, and anonymous methods.The development environment provided by Microsoft Visual Studio 2005 makes these powerful features easy to use, and the many new wizards and enhancements included in Visual Studio 2005 can greatly improve your productivity as a developer. The aim of this book is to teach you the fundamentals of programming with C# by using Visual Studio 2005 and the . NET Framework. You will learn the features of the C# language, and then use them to build applications running on the Microsoft Windows operating system.By the time you complete this book, you will have a thorough understanding of C# and will have used it to build Windows Forms applications, access Microsoft SQL Server databases, develop ASP. NET Web applications, and build and consume a Web service. Part I Introducing Microsoft Visual C# and Microsoft Visual Studio 2005 Chapter 1 Welcome to C# After completing this chapter, you will be able to: †¢ †¢ †¢ †¢ Use the Visual Studio 2005 programming environment. Create a C# console application. Use namespaces. Create a C# Windows Forms application. Microsoft Visual C# is Microsoft's powerful, component-oriented language.C# plays an important role in the architecture of the Microsoft . NET Framework, and some people have drawn comparisons to the role that C played in the development of UNIX. If you already know a language such as C, C++, or Java, you'll find the syntax of C# reassuringly fami liar because it uses the same curly brackets to delimit blocks of code. However, if you are used to programming in other languages, you should soon be able to pick up the syntax and feel of C#; you just need to learn to put the curly brackets and semi-colons in the right place. Hopefully this is just the book to help you!In Part I, you'll learn the fundamentals of C#. You'll discover how to declare variables and how to use operators such as plus (+) and minus (-) to create values. You'll see how to write methods and pass arguments to methods. You'll also learn how to use selection statements such as if and iteration statements such as while. Finally, you'll understand how C# uses exceptions to handle errors in a graceful, easy-to-use manner. These topics form the core of C#, and from this solid foundation, you'll progress to more advanced features in Part II through Part VI. 2 SREEKANTH C# STEP BY STEPBeginning Programming with the Visual Studio 2005 Environment Visual Studio 2005 i s a tool-rich programming environment containing all the functionality you'll need to create large or small C# projects. You can even create projects that seamlessly combine modules from different languages. In the first exercise, you'll start the Visual Studio 2005 programming environment and learn how to create a console application. Create a console application in Visual Studio 2005 1. In Microsoft Windows, click the Start button, point to All Programs, and then point to Microsoft Visual Studio 2005. 2.Click the Microsoft Visual Studio 2005 icon. Visual Studio 2005 starts. NOTE If this is the first time that you have run Visual Studio 2005, you might see a dialog box prompting you to choose your default development environment settings. Visual Studio 2005 can tailor itself according your preferred development language. The various dialog boxes and tools in the integrated development environment (IDE) will have their default selections set for the language you 3 SREEKANTH C# STEP BY STEP choose. Select Visual C# Development Settings from the list, and then click the Start Visual Studio button.After a short delay, the Visual Studio 2005 IDE appears. 3. On the File menu, point to New, and then click Project. The New Project dialog box opens. This dialog box allows you to create a new project using various templates, such as Windows Application, Class Library, and Console Application, that specify the type of application you want to create. NOTE The actual templates available depend on the version of Visual Studio 2005 you are using. It is also possible to define new project templates, but that is beyond the scope of this book. 4.In the Templates pane, click the Console Application icon. 5. In the Location field, type C:Documents and SettingsYourNameMy DocumentsMicrosoft PressVisual CSharp Step by StepChapter 1. Replace the text YourName in this path with your Windows user name. To save a bit of space throughout the rest of this book, we will simply refer to th e path â€Å"C:Documents and SettingsYourNameMy Documents† as your â€Å"My Documents† folder. 4 SREEKANTH C# STEP BY STEP NOTE If the folder you specify does not exist, Visual Studio 2005 creates it for you. 6. In the Name field, type TextHello. . Ensure that the Create Directory for Solution check box is checked and then click OK. The new project opens. The menu bar at the top of the screen provides access to the features you'll use in the programming environment. You can use the keyboard or the mouse to access the menus and commands exactly as you can in all Windows-based programs. The toolbar is located beneath the menu bar and provides button shortcuts to run the most frequently used commands. The Code and Text Editor window occupying the main part of the IDE displays the contents of source files.In a multi-file project, each source file has its own tab labeled with the name of the source file. You can click the tab once to bring the named source file to the foreg round in the Code and Text Editor window. The Solution Explorer displays the names of the files associated with the project, among other items. You can also double-click a file name in the Solution Explorer to bring that source file to the foreground in the Code and Text Editor window. 5 SREEKANTH C# STEP BY STEP Before writing the code, examine the files listed in the Solution Explorer, which Visual Studio 2005 has created as part of your project: Solution ‘TextHello' This is the top-level solution file, of which there is one per application. If you use Windows Explorer to look at your My DocumentsVisual CSharp Step by StepChapter 1TextHello folder, you'll see that the actual name of this file is TextHello. sln. Each solution file contains references to one or more project files. †¢ TextHello This is the C# project file. Each project file references one or more files containing the source code and other items for the project. All the source code in a single project must be written in the same programming language.In Windows Explorer, this file is actually called TextHello. csproj, and it is stored in your My DocumentsVisual CSharp Step by StepChapter 1TextHelloTextHello folder. †¢ Properties This is a folder in the TextHello project. If you expand it, you will see that it contains a file called AssemblyInfo. cs. AssemblyInfo. cs is a special file that you can use to add attributes to a program, such as the name of the author, the date the program was written, and so on. There are additional attributes that you can use to modify the way in which the program will run.These attributes are outside the scope of this book. †¢ References This is a folder that contains references to compiled code that your application can use. When code is compiled, it is converted into an assembly and given a unique name. Developers use assemblies to package up useful bits of code that they have written for distribution to other developers that might want to use them in their applications. Many of the features that you will be using when writing applications using this book will make use of assemblies provided by Microsoft with Visual Studio 2005. †¢ Program. csThis is a C# source file, and is the one displayed in the Code and Text Editor window when the project is first created. You will write your code in this file. It contains some code that Visual Studio 2005 provides automatically, which you will examine shortly. Writing Your First Program The Program. cs file defines a class called Program that contains a method called Main. All methods must be defined inside a class. The Main method is special—it designates the program's entry point. It must be a static method. (Methods are discussed in 6 SREEKANTH C# STEP BY STEP Chapter 3, â€Å"Writing Methods and Applying Scope. Static methods are discussed in Chapter 7, â€Å"Creating and Managing Classes and Objects. † The Main method is discussed in Chapter 11, â€Å"Unde rstanding Parameter Arrays. †) IMPORTANT C# is a case-sensitive language. You must spell Main with a capital M. In the following exercises, you'll write the code to display the message Hello World in the console; you'll build and run your Hello World console application; you'll learn how namespaces are used to partition code elements. Write the code using IntelliSense technology 1. In the Code and Text Editor window displaying the Program. s file, place the cursor in the Main method after the opening brace, and type Console. As you type the letter C at the start of the word Console an IntelliSense list appears. This list contains all of the valid C# keywords and data types that are valid in this context. You can either continue typing, or scroll through the list and double-click the Console item with the mouse. Alternatively, after you have typed Con, the Intellisense list will automatically home in on the Console item and you can press the Tab, Enter, or Spacebar key to selec t it. Main should look like this: static void Main(string[] args) Console } NOTE Console is a built-in class that contains the methods for displaying messages on the screen and getting input from the keyboard. 2. Type a period immediately after Console. Another Intellisense list appears displaying the methods, properties, and fields of the Console class. 3. Scroll down through the list until WriteLine is selected, and then press Enter. Alternatively, you can continue typing until WriteLine is selected and then press Enter. The IntelliSense list closes, and the WriteLine method is added to the source file. Main should now look like this: static void Main(string[] args) Console. WriteLine } 4. Type an open parenthesis. Another IntelliSense tip appears. This tip displays the parameters of the WriteLine method. In fact, WriteLine is an overloaded method, meaning that Console contains more than one method named Write Line. Each version of the WriteLine method can be used to output differ ent 7 SREEKANTH C# STEP BY STEP types of data. (Overloaded methods are discussed in Chapter 3. ) Main should now look like this: static void Main(string[] args) { Console. WriteLine( } You can click the tip's up and down arrows to scroll through the overloaded versions of WriteLine. . Type a close parenthesis, followed by a semicolon. Main should now look like this: static void Main(string[] args) { Console. WriteLine(); } 6. Type the string â€Å"Hello World† between the left and right parentheses. Main should now look like this: static void Main(string[] args) { Console. WriteLine(â€Å"Hello World†); } TIP Get into the habit of typing matched character pairs, such as ( and ) and { and }, before filling in their contents. It's easy to forget the closing character if you wait until after you've entered the contents. 8 SREEKANTH C# STEP BY STEP NOTEYou will frequently see lines of code containing two forward slashes followed by ordinary text. These are comments. They a re ignored by the compiler, but are very useful for developers because they help document what a program is actually doing. For example: Console. ReadLine(); // Wait for the user to press the Enter key All text from the two slashes to the end of the line will be skipped by the compiler. You can also add multi-line comments starting with /*. The compiler will skip everything until it finds a */ sequence, which could be many lines lower down.You are actively encouraged to document your code with as many comments as necessary. Build and run the console application 1. On the Build menu, click Build Solution. This action causes the C# code to be compiled, resulting in a program that you can run. The Output windows appears below the Code and Text Editor window. a. TIP If the Output window does not appear, click the View menu, and then click Output to display it. b. In the Output window, messages similar to the following show how the program is being compiled and display the details of any errors that have 9 SREEKANTH C# STEP BY STEP occurred.In this case there should be no errors or warnings, and the program should build successfully: c. —— Build started: Project: TextHello, Configuration: Debug Any CPU —d. Csc. exe /config /nowarn:†1701;1702†³ /errorreport: prompt /warn:4 †¦ e. Compile complete –- 0 errors, 0 warnings f. TextHello -> C:Documents and SettingsJohnMy DocumentsMicrosoft Press†¦ g. ============ Build: 1 succeeded or up-to-date, 0 failed, 0 skipped ======== h. NOTE An asterisk after the file name in the tab above the Code and Text Editor window indicates that the file has been changed since it was last saved.There is no need to manually save the file before building because the Build Solution command automatically saves the file. 2. On the Debug menu, click Start Without Debugging. A Command window opens and the program runs. The message Hello World appears, and then the program waits for the user to press any key, as shown in the following graphic: 3. Ensure that the Command window displaying the program has the focus, and then press Enter. The Command window closes and you return to the Visual Studio 2005 programming environment. NOTE If you run the program using Start Debugging on the Debug menu, the pplication runs but the Command window closes immediately without waiting for you to press a key. 4. In the Solution Explorer, click the TextHello project (not the solution), and then click Show All Files button. Entries named bin and obj appear above the C# source filenames. These entries correspond directly to folders named bin and obj in the project folder (My DocumentsVisual CSharp Step by StepChapter 1TextHelloTextHello). These folders are created when you build your application, and they contain the executable version of the program and some other files. 10 SREEKANTHC# STEP BY STEP 5. 5. In the Solution Explorer, click the + to the left of the bin entry. Another folder named Deb ug appears. 6. 6. In the Solution Explorer, click the + to the left of the Debug entry. Three entries named TextHello. exe, TextHello. pdb, and TextHello. vshost. exe appear. The file TextHello. exe is the compiled program, and it is this file that runs when you click Start Without Debugging in the Debug menu. The other two files contain information that is used by Visual Studio 2005 if you run your program in Debug mode (when you click Start Debugging in the Debug menu).Command Line Compilation You can also compile your source files into an executable file manually by using the csc command-line C# compiler. You must first complete the following steps to set up your environment: 1. On the Windows Start menu, point to All Programs, point to Microsoft Visual Studio 2005, point to Visual Studio Tools, and click Visual Studio 2005 Command Prompt. A Command window opens, and the envionment variables PATH, LIB, and INCLUDE are configured to include the locations of the various . NET Frame work libraries and utilities. TIP You can also run the vcvarsall. at script, located in the C:Program FilesMicrosoft Visual Studio 8VC folder, if you want to configure the environment variables while running in an ordinary Command Prompt window. 2. In the Visual Studio 2005 Command Prompt window, type the following command to go to the My DocumentsMicrosoft PressVisual CSharp Step by StepChapter 1TextHelloTextHello project folder: 3. cd Documents and SettingsYourNameMy DocumentsMicrosoft PressVisual CSharp Step by StepChapter 1TextHelloTextHello 4. Type the following command: csc /out:TextHello. exe Program. cs 11 SREEKANTH C# STEP BY STEPThis command creates the executable file TextHello. exe from the C# source file. If you don't use the /out command-line option, the executable file takes its name from the source file and is called Program. exe. 5. Run the program by typing the following command: TextHello The program should run exactly as before, except that you will not see the à ¢â‚¬Å"Press any key to continue† prompt. Using Namespaces The example you have seen so far is a very small program. However, small programs can soon grow into bigger programs. As a program grows, it creates two problems. First, more code is harder to understand and maintain than less code.Second, more code usually means more names; more named data, more named methods, and more named classes. As the number of names increases so does the likelihood of the project build failing because two or more names clash (especially when the program uses third-party libraries). In the past, programmers tried to solve the name-clashing problem by prefixing names with some sort of qualifier (or set of qualifiers). This solution is not a good one because it's not scalable; names become longer and you spend less time writing software and more time typing (there is a difference) and reading and re-reading incomprehensibly long names.Namespaces help solve this problem by creating a named container for other identifiers, such as classes. Two classes with the same name will not be confused with each other if they live in different namespaces. You can create a class named Greeting inside the namespace named TextHello, like this: namespace TextHello { class Greeting { †¦ } } You can then refer to the Greeting class as TextHello. Greeting in your own programs. If someone else also creates a Greeting class in a different namespace and installs it on your computer, your programs will still work as expected because they are using the TextHello.Greeting class. If you want to refer the new Greeting class, you must specify that you want the class from the new namespace. It is good practice to define all your classes in namespaces, and the Visual Studio 2005 environment follows this recommendation by using the name of your project as the toplevel namespace. The . NET Framework Software Developer Kit (SDK) also adheres to this recommendation; every class in the . NET Framework lives inside a namespace. For 12 SREEKANTH C# STEP BY STEP example, the Console class lives inside the System namespace. This means that its fully qualified name is actually System.Console. Of course, if you had to write the fully qualified name of a class every time, it would be no better that just naming the class SystemConsole. Fortunately, you can solve this problem with a using directive. If you return to the TextHello program in Visual Studio 2005 and look at the file Program. cs in the Code and Text Editor window, you will notice the following statements: using System; using System. Collections. Generic; using System. Text; The using statement brings a namespace into scope, and you no longer have to explictly qualify objects with the namespace they belong to in the code that follows.The three namespaces shown contain classes that are used so often that Visual Studio 2005 automatically adds these using statements every time you create a new project. You can add further using direct ives to the top of a source file. The following exercise demonstrates the concept of namespaces further. Try longhand names 1. In the Code And Text Editor window, comment out the using directive at the top of Program. cs: //using System; 2. On the Build menu, click Build Solution. The build fails, and the Output pane displays the following error message twice (once for each use of the Console class):The name ‘Console' does not exist in the current context. 3. In the Output pane, double-click the error message. The identifier that caused the error is selected in the Program. cs source file. TIP The first error can affect the reliability of subsequent diagnostic messages. If your build has more than one diagnostic message, correct only the first one, ignore all the others, and then rebuild. This strategy works best if you keep your source files small and work iteratively, building frequently. 4. In the Code and Text Editor window, edit the Main method to use the fully qualified name System. Console.Main should look like this: static void Main(string[] args) { System. Console. WriteLine(â€Å"Hello World†); 13 SREEKANTH C# STEP BY STEP } NOTE When you type System. , notice how the names of all the items in the System namespace are displayed by IntelliSense. 5. On the Build menu, click Build Solution. The build succeeds this time. If it doesn't, make sure Main is exactly as it appears in the preceding code, and then try building again. 6. Run the application to make sure it still works by clicking Start Without Debugging on the Debug menu. In the Solution Explorer, click the + to the left of the References entry.This displays the assemblies referenced by the Solution Explorer. An assembly is a library containing code written by other developers (such as the . NET Framework). In some cases, the classes in a namespace are stored in an assembly that has the same name (such as System), although this does not have to be the case—some assemblies hold more than one namespace. Whenever you use a namespace, you also need to make sure that you have referenced the assembly that contains the classes for that namespace; otherwise your program will not build (or run). Creating a Windows Forms ApplicationSo far you have used Visual Studio 2005 to create and run a basic Console application. The Visual Studio 2005 programming environment also contains everything you'll need to create graphical Windows applications. You can design the form-based user interface of a Windows application interactively by using the Visual Designer. Visual Studio 2005 then generates the program statements to implement the user interface you've designed. From this explanation, it follows that Visual Studio 2005 allows you to maintain two views of the application: the Design View and the Code View.The Code and Text Editor window (showing the program statements) doubles as the Design View window (allowing you to lay out your user interface), and you can switch bet ween the two views whenever you want. In the following set of exercises, you'll learn how to create a Windows program in Visual Studio 2005. This program will display a simple form containing a text box where you can enter your name and a button that, when clicked, displays a personalized greeting in a message box.You will use the Visual Designer to create your user interface by placing controls on a form; inspect the code generated by Visual Studio 2005; use the Visual Designer to change the control properties; use the Visual Designer to resize the form; write the code to respond to a button click; and run your first Windows program. Create a Windows project in Visual Studio 2005 1. On the File menu, point to New, and then click Project. The New Project dialog box opens. 2. In the Project Types pane, click Visual C#. 14 SREEKANTH C# STEP BY STEP 3. In the Templates pane, click the Windows Application icon. . Ensure that the Location field refers to your My DocumentsVisual CSharp St ep by StepChapter 1 folder. 5. In the Name field, type WinFormHello. 6. In the Solutions field, ensure that Create new Solution is selected. This action creates a new solution for holding the Windows application. The alternative, Add to Solution, will add the project to the TextHello solution. 7. Click OK. Visual Studio 2005 closes your current application (prompting you to save it first of necessary) and creates and displays an empty Windows form in the Design View window.In the following exercise, you'll use the Visual Designer to add three controls to the Windows form and examine some of the C# code automatically generated by Visual Studio 2005 to implement these controls. Create the user interface 1. Click the Toolbox tab that appears to the left of the form in the Design View. The Toolbox appears, partially obscuring the form and displaying the various components and controls that you can place on a Windows form. 2. In the Toolbox, click the + sign by Common Controls to display a list of controls that are used by most Windows Forms applications. 15 SREEKANTHC# STEP BY STEP 3. Click Label, and then click the visible part of the form. A Label control is added to the form, and the Toolbox disappears from view. TIP If you want the Toolbox to remain visible but not hide any part of the form, click the Auto Hide button to the right in Toolbox title bar (it looks like a pin). The Toolbox appears permanently on the left side of the Visual Studio 2005 window, and the Design View shrinks to accommodate it. (You might lose a lot of space if you have a low-resolution screen. ) Clicking the Auto Hide button once more causes the Toolbox to disappear again. 4.The Label control on the form is probably not exactly where you want it. You can click and drag the controls you have added to a form to reposition them. Using this technique, move the Label control so that it is positioned towards the upper-left corner of the form. (The exact placement is not critical for this app lication. ) 5. On the View menu, click Properties Window. The Properties window appears on the right side of the screen. The Properties window allows you to set the properties for items in a project. It is context sensitive, in that it displays the properties for the currently selected item.If you click anywhere on the form displayed in the Design View, you will see that the Properties windows displays the properties for the form itself. If you click the Label control, the window displays the properties for the label instead. 6. Click the Label control on the form. In the Properties window, locate the Text property, change it from label1 to Enter your name, and then press Enter. On the form, the label's text changes to Enter Your Name. TIP By default, the properties are displayed in categories. If you prefer to display the properties in alphabetical order, click the Alphabetical button that appears above the properties list. . Display the Toolbox again. Click TextBox, and then click the form. A TextBox control is added to the form. Move the TextBox control so that it is directly underneath the Label control. TIP When you drag a control on a form, alignment handles appear automatically when the control becomes aligned vertically or horizontally with other controls. This give you a quick visual cue for making sure that controls are lined up neatly. 8. While the TextBox control is selected, locate the Text property in the Properties window, type here, and then press Enter. On the form, the word here appears in the text box. 9.In the Properties window, find the (Name) property. Visual Studio 2005 gives controls and forms default names, which, although they are a good starting point, are not always very meaningful. Change the name of the TextBox control to userName. 16 SREEKANTH C# STEP BY STEP NOTE We will talk more about naming conventions for controls and variables in Chapter 2, â€Å"Working with Variables, Operators, and Expressions. † 10. Display the T oolbox again, click Button, and then click the form. Drag the Button control to the right of the TextBox control on the form so that it is aligned horizontally with the text box. 11.Using the Properties window, change the Text property of the Button control to OK. Change its (Name) property to ok. The caption on the button changes. 12. Click the Form1 form in the Design View window. Notice that resize handles (small squares) appear on the lower edge, the right-hand edge, and the righthand bottom corner of the form. 13. Move the mouse pointer over the resize handle. The pointer changes to a diagonal double-headed arrow. 14. Hold down the left mouse button, and drag the pointer to resize the form. Stop dragging and release the mouse button when the spacing around the controls is roughly equal.TIP You can resize many controls on a form by selecting the control and dragging one of the resize handles that appears in the corners of the control. Note that a form has only one resize handle, whereas most controls have four (one on each corner). On a form, any resize handles other than the one in the lower-right corner would be superfluous. Also note that some controls, such as Label controls, are automatically sized based on their contents and cannot be resized by dragging them. The form should now look similar to the one in the following graphic. 1. In the Solution Explorer, right-click the file Form1. s, and then click View Code. The Form1. cs source file appears in the Code and Text Editor window. There are now two tabs named Form1. cs above the Code and Text Editor/Design View window. You can click the one suffixed with [Design] to return to Design View window at any time. Form1. cs contains some of the code automatically generated by Visual Studio 2005. You should note the following elements: 17 SREEKANTH C# STEP BY STEP o using directives Visual Studio 2005 has written a number of using directives at the top of the source file (more than for the previous example) . For example: using System. Windows. Forms;The additional namespaces contain the classes and controls used when building graphical applications—for example, the TextBox, Label, and Button classes. o The namespace Visual Studio 2005 has used the name of the project as the name of the toplevel namespace: namespace WinFormHello { †¦ } o A class Visual Studio 2005 has written a class called Form1 inside the WinForm Hello namespace: namespace WinFormHello { partial class Form1 †¦ { †¦ } } NOTE For the time being, ignore the partial keyword in this class. I will describe its purpose shortly. This class implements the form you created in the Design View. Classes are discussed in Chapter 7. ) There does not appear to be much else in this class—there is a little bit of code known as a constructor that calls a method called InitializeComponent, but nothing else. (A constructor is a special method with the same name as the class. It is executed when the form is cr eated and can contain code to initialize the form. Constructors are also discussed in Chapter 7. ) However, Visual Studio 2005 is performing a sleight of hand and is hiding a few things from you, as I will now demonstrate. In a Windows Forms application, Visual Studio 2005 actually generates a potentially large amount of code.This code performs operations such as 18 SREEKANTH C# STEP BY STEP creating and displaying the form when the application starts, and creating and positioning the various controls on the form. However, this code can change as you add controls to a form and change their properties. You are not expected to change this code (indeed, any changes you make are likely to be overwritten the next time you edit the form in the Design View), so Visual Studio 2005 hides it from you. To display the hidden code, return to the Solution Explorer, and click the Show All Files button.The bin and obj folders appear, much as they did with the Console application you developed in th e first part of this chapter. However, notice that Form1. cs now has a + sign next to it. If you click this + sign, you see a file called Form1. Designer. cs, and a file called Form1. resx. Double-click the file Form1. Designer. cs to display its contents in the Code and Text Editor window. You will see the remaining code for the Form1 class in this file. C# allows you to split the code for a class across multiple source files, as long as each part of the class is marked with the partial keyword.This file includes a region labelled Windows Form Designer generated code. Expanding this region by clicking the + sign reveals the code created and maintained by Visual Studio 2005 when you edit a form using the Design View window. The actual contents of this file include: o The InitializeComponent method This method is mentioned in the file Form1. cs. The statements inside this method set the properties of the controls you added to the form in the Design View. (Methods are discussed in Cha pter 3. ) Some of the statements in this method that correspond to the actions you performed using the Properties window are shown below: .. private void InitializeComponent() { this. label1 = new System. Windows. Forms. Label(); this. userName = new System. Windows. Forms. TextBox(); this. ok = new System. Windows. Forms. Button(); †¦ this. label1. Text = â€Å"Enter your name†; †¦ this. userName. Text = â€Å"here†; †¦ this. ok. Text = â€Å"OK†; †¦ } †¦ o Three fields Visual Studio 2005 has created three fields inside the Form1 class. These fields appear near the end of the file: private System. Windows. Forms. Label label1; 19 SREEKANTH C# STEP BY STEP private System. Windows. Forms. TextBox userName; private System. Windows. Forms. Button ok; .. These fields implement the three controls you added to the form in Design View. (Fields are discussed in Chapter 7. ) It is worth restating that although this file is interesting to look at, you should never edit its contents yourself. Visual Studio 2005 automatically updates this file when you make changes in the Design View. Any code that you need to write yourself should be placed in the Form1. cs file. At this point you might well be wondering where the Main method is and how the form gets displayed when the application runs; remember that Main defines the point at which the program starts.In the Solution Explorer, you should notice another source file called Program. cs. If you double-click this file the following code appears in the Code and Text Editor window: namespace WinFormHello { static class Program { /// /// The main entry point for the application. /// [STAThread] static void Main() { Application. EnableVisualStyles(); Application. Run(new Form1()); } } } You can ignore most of this code. However, the key statement is: Application. Run(new Form1()); This statement creates the form and displays it, whereupon the form takes over. In the following exercise, you'll learn how to add code that runs when he OK button on the form is clicked. Write the code for the OK button 1. Click the Form1. cs[Design] tab above the Code and Text Editor window to display Form1 in the Design View. 2. Move the mouse pointer over the OK button on the form, and then double-click the button. The Form1. cs source file appears in the Code and Text Editor window. Visual Studio 2005 has added a method called ok_Click to the Form1 class. (It has also added a statement to the InitializeComponent method in the Form1. Designer. cs file to automatically call ok_Click when the OK button is 20 SREEKANTH C# STEP BY STEP clicked.It does this by using a delegate type; delegates are discussed in Chapter 16, â€Å"Delegates and Events. †) 3. Type the MessageBox statement shown below inside the ok_Click method. The complete method should look like this: 4. private void ok_Click(object sender, System. EventArgs e) 5. { 6. MessageBox. Show(â€Å"Hello † + userName . Text); } Make sure you have typed this code exactly as shown, including the trailing semicolon. You're now ready to run your first Windows program. Run the Windows program 1. On the Debug menu, click Start Without Debugging. Visual Studio 2005 saves your work, compiles your program, and runs it.The Windows form appears: 2. Enter your name, and then click OK. A message box appears welcoming you by name. 3. Click OK in the message box. The message box closes. 4. In the Form1 window, click the Close button (the X in the upper-right corner of the form). The Form1 window closes. †¢ If you want to continue to the next chapter Keep Visual Studio 2005 running, and turn to Chapter 2. †¢ If you want to exit Visual Studio 2005 now On the File menu, click Exit. If you see a Save dialog box, click Yes to save your work. Chapter 1 Quick Reference TO Do this KeyCombination 21 SREEKANTH C# STEP BY STEP Create a onsole application new On the File menu, point to New, and then click Projec t to open the New Project dialog box. For the project type, select Visual C#. For the template, select Console Application. Select a directory for the project files in the Location box. Choose a name for the project. Click OK. Create a Windows application new On the File menu, point to New, and then click Project to open the New Project dialog box. For the project type, select Visual C#. For the template, select Windows Application. Select a directory for the project files in the location box. Choose a name for the project.Click OK. Build application F6 the On the Build menu, click Build Solution. Ctrl+F5 Chapter 2 Working with Variables, Operators, and Expressions After completing this chapter, you will be able to: †¢ †¢ †¢ †¢ †¢ Understand statements, identifiers, and keywords. Use variables to store information. Work with primitive data types. Use arithmetic operators such as the plus sign (+) and the minus sign (–). Increment and decrement variabl es. In Chapter 1, â€Å"Welcome to C#,† you learned how to use the Microsoft Visual Studio 2005 programming environment to build and run a console program and a Windows Forms application.In this chapter, you'll be introduced to the elements of Microsoft Visual C# syntax and semantics, including statements, keywords, and identifiers. You'll study the primitive types that are built into the C# language and the characteristics of the values that each type holds. You'll also see how to declare and use local variables (variables that exist only within a function or other small section of code), learn about the arithmetic operators that C# provides, learn how to use operators to manipulate values, and learn how to control expressions containing two or more operators. Understanding StatementsA statement is a command that performs an action. Statements are found inside methods. You'll learn more about methods in Chapter 3, â€Å"Writing Methods and Applying Scope,† but for now , think of a method as a named sequence of statements inside a class. Main, which was introduced in the previous chapter, is an example of a method. Statements in C# must follow a well-defined set of rules. These rules are collectively known as syntax. (In contrast, the specification of what statements do is collectively known as semantics. ) One of the simplest and most important C# syntax rules states 22 SREEKANTH C# STEP BY STEP hat you must terminate all statements with a semicolon. For example, without its terminating semicolon, the following statement won't compile: Console. WriteLine(â€Å"Hello World†); TIP C# is a â€Å"free format† language, which means that white space, such as a space character or a new line, is not significant except as a separator. In other words, you are free to lay out your statements in any style you choose. A simple, consistent layout style makes a program easier to read and understand. The trick to programming well in any language is learning its syntax and semantics and then using the language in a natural and idiomatic way.This approach makes your programs readable and easy to modify. In the chapters throughout this book, you'll see examples of the most important C# statements. Using Identifiers Identifiers are the names you use to identify the elements in your programs. In C#, you must adhere to the following syntax rules when choosing identifiers: †¢ †¢ You can use only letters (uppercase and lowercase), digits, and underscore characters. An identifier must start with a letter (an underscore is considered a letter). For example, result, _score, footballTeam, and plan9 are all valid identifiers, whereas result%, footballTeam$, and 9plan are not.IMPORTANT C# is a case-sensitive language: footballTeam and FootballTeam are not the same identifier. Identifying Keywords The C# language reserves 77 identifiers for its own use, and you should not reuse these identifiers for your own purposes. These identi fiers are called keywords, and each has a particular meaning. Examples of keywords are class, namespace, and using. You'll learn the meaning of most of the keywords as you proceed through this book. The keywords are listed in the following table. abstract break char continue do event finally foreach in is as byte checked decimal double explicit fixed goto int ock base case class default else extern float if interface long 23 bool catch const delegate enum false for implicit internal namespace SREEKANTH new out protected return sizeof struct true ulong using while C# STEP BY STEP null override public sbyte stackalloc switch try unchecked virtual object params readonly sealed static this typeof unsafe void operator private ref short string throw uint ushort volatile TIP In the Visual Studio 2005 Code and Text Editor window, keywords are colored blue when you type them. TIP In the Visual Studio 2005 Code and Text Editor window, keywords are colored blue when you type them.Using Variabl es A variable is a storage location that holds a value. You can think of a variable as a box holding temporary information. You must give each variable in a program a unique name. You use a variable's name to refer to the value it holds. For example, if you want to store the value of the cost of an item in a store, you might create a variable simply called cost, and store the item's cost in this variable. Later on, if you refer to the cost variable, the value retrieved will be the item's cost that you put there earlier. Naming VariablesYou should adopt a naming convention for variables that help you avoid confusion concerning the variables you have defined. The following list contains some general recommendations: †¢ †¢ Don't use underscores. Don't create identifiers that differ only by case. For example, do not create one variable named myVariable and another named MyVariable for use at the same time, because it is too easy to get them confused. NOTE Using identifiers tha t differ only by case can limit the ability to reuse classes in applications developed using other languages that are not case sensitive, such as Visual Basic. †¢ †¢ †¢ Start the name with a lowercase letter.In a multiword identifier, start the second and each subsequent word with an uppercase letter. (This is called camelCase notation. ) Don't use Hungarian notation. (Microsoft Visual C++ developers reading this book are probably familiar with Hungarian notation. If you don't know what Hungarian notation is, don't worry about it! ) 24 SREEKANTH C# STEP BY STEP IMPORTANT You should treat the first two recommendations as compulsory because they relate to Common Language Specification (CLS) compliance. If you want to write programs that can interoperate with other languages, such as Microsoft Visual Basic .NET, you need to comply with these recommendations. For example, score, footballTeam, _score, and FootballTeam are all valid variable names, but only the first two ar e recommended. Declaring Variables Remember that variables are like boxes in memory that can hold a value. C# has many different types of values that it can store and process—integers, floating-point numbers, and strings of characters, to name three. When you declare a variable, you must specify what type of data it will hold. NOTE Microsoft Visual Basic programmers should note that C# does not allow implicit declarations.You must explicitly declare all variables before you can use them if you want your code to compile. You declare the type and name of a variable in a declaration statement. For example, the following statement declares that the variable named age holds int (integer) values. As always, the statement must be terminated with a semi-colon. int age; The variable type int is the name of one of the primitive C# types—integer which is a whole number. (You'll learn about several primitive data types later in this chapter. ) After you've declared your variable, you can assign it a value. The following statement assigns age the value 42.Again, you'll see that the semicolon is required. age = 42; The equal sign (=) is the assignment operator, which assigns the value on its right to the variable on its left. After this assignment, the age variable can be used in your code to refer to the value it holds. The next statement writes the value of the age variable, 42, to the console: Console. WriteLine(age); TIP If you leave the mouse pointer over a variable in the Visual Studio 2005 Code and Text Editor window, a ToolTip appears telling you the type of the variable. Working with Primitive Data Types C# has a number of built-in types called primitive data types.The following table lists the most commonly used primitive data types in C#, and the ranges of values that you can store in them. 25 SREEKANTH C# STEP BY STEP Data type int Description Size (bits) *Range Sample usage Whole numbers 32 int count; count = 42; long Whole numbers (bigger range) 64 float Floating-point numbers 32 231 through 2311 263 through 2631  ±3. 4 ? 1038 double Double accurate) numbers decimal Monetary values 128 string Sequence of characters 16 bits per Not applicable character char Single character 16 bool Boolean 8 precision (more 64 floating-point  ±1. 7 ? 10308 28 significant igures long wait; wait = 42L; float away; away = 0. 42F; double trouble; trouble = 0. 42; decimal coin; coin = 0. 42M; string vest; vest = â€Å"42†; char grill; grill = ‘4'; 0 through 216 1 bool teeth; true or false teeth false; = *The value of 216 is 32,768; the value of 231 is 2,147,483,648; and the value of 263 is 9,223,372,036,854,775,808. Unassigned Local Variables When you declare a variable, it contains a random value until you assign a value to it. This behavior was a rich source of bugs in C and C++ programs that created a variable and used it as a source of information before giving it a value.C# does not allow you to use an unassigned variable. Y ou must assign a value to a variable before you can use it, otherwise your program will not compile. This requirement is called the Definite Assignment Rule. For example, the following statements will generate a compile-time error because age is unassigned: int age; Console. WriteLine(age); // compile time error Displaying Primitive Data Type Values In the following exercise, you'll use a C# program named PrimitiveDataTypes to demonstrate how several primitive data types work. Display primitive data type values 26SREEKANTH C# STEP BY STEP 1. Start Visual Studio 2005. 2. On the File menu, point to Open, and then click Project/Solution. The Open Project dialog box appears. 3. Move to the Microsoft PressVisual CSharp Step by StepChapter 2PrimitiveDataTypes folder in your My Documents folder. Select the file PrimitiveDataTypes. sln and then click Open. The solution loads, and the PrimitiveDataTypes project. Solution Explorer displays the solution and NOTE Solution file names have the . sln suffix, such as PrimitiveDataTypes. sln. A solution can contain one or more projects.Project files have the . csproj suffix. If you open a project rather than a solution, Visual Studio 2005 will automatically create a new solution file for it. If you build the solution, Visual Studio 2005 automatically saves any updated or new files, and you will be prompted to provide a name and location for the new solution file. 4. On the Debug menu, click Start Without Debugging. The following application window appears: 5. In the Choose A Data type list, click the string type. The value 42 appears in the Sample value box. 6. Click the int type in the list.The value to do appears in the Sample value box, indicating that the statements to display an int value still need to be written. 27 SREEKANTH C# STEP BY STEP 7. Click each data type in the list. Confirm that the code for the double and bool types also needs to be completed. 8. Click Quit closing the window and stopping the program. Contro l returns to the Visual Studio 2005 programming environment. Use primitive data types in code 1. Right-click the Form1. cs file in the Solution Explorer and then click View Code. The Code and Text Editor window opens displaying the Form1. cs file. 2.In the Code and Text Editor window, find the show Float Value method listed here: private void showFloatValue() { float var; var = 0. 42F; value. Text = â€Å"0. 42F†; } TIP To locate an item in your project, point to Find And Replace on the Edit menu and click Quick Find. A dialog box opens asking what you want to search for. Type the name of the item you're looking for, and then click Find Next. By default, the search is not case-sensitive. If you want to perform a case-sensitive search, click the + button next to the Find Options label to display additional options, and check the Match Case check box.If you have time, you can experiment with the other options as well. You can also press Ctrl+F (press the Control key, and then p ress F) to display the Quick Find dialog box rather then usin g the Edit menu. Similarly, you can press Ctrl+H to display the Quick Find and Replace dialog box. The showFloatValue method runs when you click the float type in the list box. This method contains three statements: The first statement declares a variable named var of type float. The second statement assigns var the value 0. 42F. (The F is a type suffix specifying that 0. 2 should be treated as a float value. If you forget the F, the value 0. 42 will be treated as a double, and your program will not compile because you cannot assign a value of one type to a variable of a different type in this way. ) The third statement displays the value of this variable in the value TextBox on the form. This statement requires a little bit of your attention. The way in which you display an item in a TextBox is to set its Text property. You did this at 28 SREEKANTH C# STEP BY STEP design time in Chapter 1 using the Properties window. Thi s statement shows ou how to perform the same task programmatically, using the expression value. Text. The data that you put in the Text property must be a string (a sequence of characters), and not a number. If you try and assign a number to the Text property your program will not compile. For this reason, the statement simply displays the text â€Å"0. 42F† in the TextBox (anything in double-quotes is text, otherwise known as a string). In a real-world application, you would add statements that convert the value of the variable var into a string and then put this into the Text property, but you need to know a little bit more about C# and the .NET Framework before we can do that (we will cover data type conversions in Chapter 11, â€Å"Understanding Parameter Arrays,† and Chapter 19, â€Å"Operator Overloading†). 3. In the Code and Text Editor window, locate the showIntValue method listed here: private void showIntValue() { value. Text = â€Å"to do†; } T he showIntValue method is called when you click the int type in the list box. TIP Another way to find a method in the Code and Text Editor window is to click the Members list that appears above the window, to the right. This window displays a list of all the methods (and other items).You can click the name of a member, and you will be taken directly to it in the Code and Text Editor window. 4. Type the following two statements at the start of the showIntValue method, after the open curly brace: int var; var = 42; The showIntValue method should now look like this: private void showIntValue() { int var; var = 42; value. Text = â€Å"to do†; } 5. On the Build menu, click Build Solution. a. The build will display some warnings, but no errors. You can ignore the warnings for now. 6. In the original statement, change the string â€Å"to do† to â€Å"42†. b. The method should now look exactly like this: 9 SREEKANTH C# STEP BY STEP c. private void showIntValue() d. { i. int var; ii. var = 42; iii. value. Text = â€Å"42†; e. } 7. On the Debug menu, click Start Without Debugging. f. The form appears again. g. TIP If you have edited the source code since the last build, the Start Without Debugging command automatically rebuilds the program before starting the application. 8. Select the int type in the list box. Confirm that the value 42 is displayed in the Sample value text box. 9. Click Quit to close the window and stop the program. 10. In the Code and Text Editor window, find the showDoubleValue method. 1. Edit the showDoubleValue method exactly as follows: private void showDoubleValue() { double var; var = 0. 42; value. Text = â€Å"0. 42†; } 12. In the Code and Text Editor window, locate the showBoolValue method. 13. Edit the showBoolValue method exactly as follows: private void showBoolValue() { bool var; var = false; value. Text = â€Å"false†; } 14. On the Debug menu, click Start Without Debugging. The form appears. 15. I n the list, select the int, double, and bool types. In each case, verify that the correct value is displayed in the Sample value text box. 16. Click Quit to stop the program.Using Arithmetic Operators C# supports the regular arithmetic operations you learned in your childhood: the plus sign (+) for addition, the minus sign (–) for subtraction, the asterisk (*) for multiplication, and the forward slash (/) for division. These symbols (+, –, *, and /) are called operators as they â€Å"operate† on values to create new values. In the following 30 SREEKANTH C# STEP BY STEP example, the variable moneyPaidToConsultant ends up holding the product of 750 (the daily rate) and 20 (the number of days the consultant was employed): long moneyPaidToConsultant; oneyPaidToConsultant = 750 * 20; NOTE The values that an operator operates on are called operands. In the expression 750 * 20, the * is the operator, and 750 and 20 are the operands. Determining an Operator's Values Not all operators are applicable to all data types, so whether you can use an operator on a value depends on the value's type. For example, you can use all the arithmetic operators on values of type char, int, long, float, double, or decimal. However, with one exception, you can't use the arithmetic operators on values of type string or bool.So the following statement is not allowed because the string type does not support the minus operator (subtracting one string from another would be meaningless): // compile time error Console. WriteLine(â€Å"Gillingham† – â€Å"Manchester City†); The exception is that the + operator can be used to concatenate string values. The following statement writes 431 (not 44) to the console: Console. WriteLine(â€Å"43† + â€Å"1†); TIP You can use the method Int32. Parse to convert a string value to an integer if you need to perform arithmetic computations on values held as strings.You should also be aware that the type of the result of an arithmetic operation depends on the type of the operands used. For example, the value of the expression 5. 0 / 2. 0 is 2. 5; the type of both operands is double (in C#, literal numbers with decimal points are always double, not float, in order to maintain as much accuracy as possible), and so the type of the result is also double. However, the value of the expression 5 / 2 is 2. In this case, the type of both operands is int, and so the type of the result is also int. C# always rounds values down in circumstances like this.The situation gets a little more complicated if you mix the types of the operands. For example, the expression 5 / 2. 0 consists of an int and a double. The C# compiler detects the mismatch and generates code that converts the int into a double before performing the operation. The result of the operation is therefore a double (2. 5). However, although this works, it is considered poor practice to mix types in this way. C# also supports one less -familiar arithmetic operator: the remainder, or modulus, operator, which is represented by the percent symbol (%). The result of x % y is the remainder after dividing x by y.For example, 9 % 2 is 1 since 9 divided by 2 is 8, remainder 1. NOTE In C and C++, you can't use the % operator on floating-point values, but you can use it in C#. Examining Arithmetic Operators 31 SREEKANTH C# STEP BY STEP The following exercise demonstrates how to use the arithmetic operators on int values using a previously written C# program named MathsOperators. Work with arithmetic operators 1. On the File menu, point to Open, and then click Project/Solution. Open the MathsOperators project, located in the Microsoft PressVisual CSharp Step by StepChapter 2MathsOperators folder in your My Documents folder. . On the Debug menu, click Start Without Debugging. A form appears on the screen. 3. Type 54 in the left operand text box. 4. Type 13 in the right operand text box. You can now apply any of the operators to the values in the text boxes. 5. Click the – Subtraction option, and then click Calculate. The text in the Expression box changes to 54 – 13, and 41 appears in the Result box, as shown in the following graphic: 6. Click the / Division option, and then click Calculate. The text in the Expression text box changes to 54 / 13, and the number 4 appears in the Result box. In real life, 54 / 13 is 4. 53846 recurring, but this is not real life; this is C#! In C#, when you divide one integer by another integer, the answer you get back is an integer, as explained earlier. 32 SREEKANTH C# STEP BY STEP 7. Select the % Remainder option, and then click Calculate. The text in the Expression text box changes to 54 % 13, and the number 2 appears in the Result box. This is because the remainder after dividing 54 by 13 is 2 (54 – ((54 / 13) * 13) is 2 if you do the arithmetic rounding down to an integer at each stage—my old maths master at school would be horrified to b e told that (54 / 13) * 13 does not equal 54! . 8. Practice with other combinations of numbers and operators. When you're finished, click Quit. The program stops, and you return to the Visual Studio 2005 programming environment. Now take a look at the MathsOperators program code. Examine the MathsOperators program code 1. Display the Form1 form in the Design View window (click the Form1. cs[Design] tab if necessary). TIP You can quickly switch between the Design View window and the Code and Text Editor displaying the code for a form by pressing the F7 key. 2. In the View menu, point to Other Windows and then click Document Outline.The Document Outline window appears showing the names and types of the controls on the form. If you click each of the controls on the form, the name of the control is highlighted in the Document Outline window. 33 SREEKANTH C# STEP BY STEP IMPORTANT Be careful not to accidentally delete or change the names of any controls on the form while viewing them in the Document Outline window. The application will no longer work if you do. 3. Click the the two TextBox controls that the user types numbers into on the form. In the Document Outline window, verify that they are named lhsOperand and rhsOperand.When the form runs, the Text property of each of these controls holds (as strings) the numeric values you enter. 4. Towards the bottom of the form, verify that the TextBox control used to display the expression being evaluated is named expression, and that the TextBox control used to display the result of the calculation is named result. At runtime, setting the Text property of a TextBox control to a string value causes that value to be displayed. 5. Close the Document Outline window. 6. Press F7 to display the Form1. cs source file in the Code and Text Editor window. 7.In the Code and Text Editor window, locate the subtractValues method: private void subtractValues() { int lhs = int. Parse(lhsOperand. Text); int rhs = int. Parse(rhsOperand. Text); int outcome; outcome = lhs – rhs; expression. Text = lhsOperand. Text + † – † + rhsOperand. Text; result. Text = outcome. ToString(); } The first statement in this method declares an int variable called lhs and initializes it to the result of the explicit conversion of the lhsOperand. Text property to an int. (The Text property of a TextBox is a string, and must be converted to an integer before you can store it in an int. This is what the int.Parse method does) The second statement declares an int variable called rhs and initializes it to the result of the explicit conversion of the rhsOperand. Text property to an int. The third statement declares an int variable called outcome. The fourth statement subtracts the value of the rhs variable from the value of the lhs variable, and the result is assigned to outcome. The fifth statement concatenates three strings (using the + operator) and assigns the result to the expression. Text property. The sixth st atement converts the int value of outcome to a string by using the ToString method, and assigns the string to the result.Text property. 34 SREEKANTH C# STEP BY STEP The Text Property and the ToString Method I mentioned earlier that TextBox controls displayed on a form have a Text property that allows you to access the displayed contents. For example, the expression result. Text refers to the contents of the result text box on the form. Text boxes also have many other properties, such as the location and size of the text box on the form. You will learn more about properties in Chapter 14, â€Å"Implementing Properties to Access Attributes. † Every class has a ToString method.The purpose of ToString is to convert an object into its string representation. In the previous example, the ToString method of the integer object, outcome, is used to convert the integer value of outcome into the equivalent string value. This conversion is necessary because the value is displayed in the T ext property of the result field—the Text property can only contain strings. When you Controlling Precedence Precedence governs the order in which an expression's operators are evaluated. Consider the following expression, which uses the + and * operators: 2+3*4This expression is potentially ambiguous; does 3 bind to the + operator on its le

300 Prosecitions by Bloody Mary

Beginning in 1555 after Parliament brought back the act to allow the killing of heretics, Bloody Mary attempted to change England (Queen 2). One of the ways that Queen Mary Tudor earned her title as Bloody Mary was because she mass-murdered about three-hundred or so Protestants. Mary was Catholic and wanted England to remain as Roman Catholic. The first person to be burned at the stake was John Rogers who was the brains behind printing the Matthews-Tyndale Bible. Followed by Rogers was Thomas Cranmer, the Archbishop of Canterbury was executed for the Great Bible (Queen â€Å"Bloody† Mary 2). People who took the side of the â€Å"heretics† were also arrested and eventually killed. Religious leaders publicized their ideas and disagreed with Mary; they tried to persuade people that horrible rulers should not continue to be a tyrant but instead resist against them (Queen 2). Other people also burned included Nicholas Ridley; Bishop of London, Hugh Latimer; Bishop of Worcester, John Philpot; Archdeacon of Westminster, and John Hooper; Bishop of Gloucester. The executed victims came from all sorts of backgrounds except the nobility, in the sense that poor ordinary regular people were killed. The educated people and preachers were not burned everyday (Queen 2). Once a person had been convicted of heresy, they did not have an opportunity to confess. This outraged people and brought an ill feeling towards the burnings. People were against it because normally someone would have a chance, even right before being burned to confess and apologize, or recant (Queen 3). Overall, Bloody Mary earned the title from her angry English country after the murder of 300 Protestants and Protestant leaders along with eight hundred fled to Germany and Switzerland. It all ended along with her lonely death in 1558. (Biography 4) Works Cited â€Å"Queen â€Å"Bloody† Mary. † GREATSITE. COM: antique Bibles, rare Bibles, ancient Bible leaves. 23 Feb. 2009. Greatsite Marketing. 23 Feb. 2009 . â€Å"Queen Mary. † 23 Feb. 2009 . â€Å"Biography of Mary Tudor, Bloody Mary. † Essortment Articles: Free Online Articles on Health, Science, Education & More. 2002. 23 Feb. 2009 .

Friday, August 30, 2019

History of Latin America: The Colonial to Contemporary Period Essay

The history of Latin America can only be understood in its relations with other countries and continents. Europe and Anglo-America play a huge role in shaping the history of Latin America from pre-colonial times to the contemporary period. The expansionist policies of colonizing countries clearly meddled with the history of Latin America. This is seen in the longstanding presence of dominant countries in the continent. The effects of these forces can be seen in the economy, politics, culture and history of Latin America. Interestingly, defining Latin America by presenting its history is a monumental task. For one, Latin America is not a homogenous continent. â€Å"It is an immense world region striving to establish its place in the new global order†¦ it is home to some 500 million people who well represent the rich racial and cultural diversity of the human family† (Vanden and Prevost 1). Rather than present Latin American history in the traditional historical framework—dates, geography, political successions—which is linear in nature, this essay resonates Eduardo Galeano’s depiction of Latin American history. This presentation is based on a number of facets of history that are suitable images of what Latin American peoples had collectively undergone. This essay seeks to present the history of Latin America from the colonial to contemporary period. Given the vast scope of the region’s history, specific thematic spheres are focal discussion points in this essay. The discussion will focus in terms of: slavery, foreign domination, agriculture structure, foreign debt, living standards and neo-liberalism. Lastly, the conclusion presents a synthesized view of Latin America’s history. Slavery One phenomenon collectively experienced by Latin America is slavery. The main reason for the interest of colonizers in Latin America is economic in nature. Slavery is a means of production whereby the mass production of goods from the colonizing countries would have free labor. Intensifying the capital would translate to a corresponding increase of productivity for the colonizer. Slavery took place almost immediately after the invasion of Latin American countries. It is tied to the new law and order promulgated by the ones in the bastion of power. Modem day transatlantic slave trade dated from 1519 to 1867; by 1530 the Spanish crown had authorized the spread of slavery to Puerto Rico, Cuba, and Jamaica† (Vanden and Prevost 33). The colonizers of Europe and the US had the â€Å"realization that new laborers, artisans, and those with other skills could add to the growing nations† (8). This means that slavery crept through the entire continent, every colonizer followed suit—fearing of lagging behind the economies of colonizers that are founded on slave labor—since then others have already adopted the practice of slavery. In the movie Burn, the island of Queimada is ravaged with unscrupulous practices of production. Slaves were used in the sugar plantations and manufacturing plants so that the profits are maximized (Burn 1969). Although, there are different forms of slavery within Latin America and in some countries, slavery as a tool for economic production even failed. The case of Brazil and the Carribean showed that resistance to slavery can be successful. â€Å"In northern Brazil and the Caribbean, native slavery failed, and the native peoples would not otherwise provide the abundant labor needed† (Vanden and Prevost 32). Foreign Domination Pre-colonial Latin America is isolated in nature: the economies there were â€Å"small local spheres that are isolated from events outside the valley, village or small town. † (146) Civilizations such as the Mayan, Mohican, etc. contributed to the breakdown of isolationism, although the collapse is only in economic terms and is limited only to the region. Less centralized societies existed before the foreign presence in the region and had been self-sustaining for centuries. â€Å"Latin American integration into the world economy only began when the Europeans arrived† (146). During the period of foreign domination, the breakdown of autonomy of the different facets of society became a massive and all-encompassing policy. Politics, culture, economics, social order, law and governance are all key positions held by foreign powers. The relationship between the empire and colonies is similar to the relationship of the slaves to their masters. Core-periphery relationship enabled the rich empires to continually develop at the expense of the peripheries. The decisions on resources, politics and over-all direction of the Latin America are done on foreign soil. Galeano points out that the expansionist policy of foreign colonizers had a push and a pull factor. The push factor is the desire of colonizers for glory. The first of the conquerors that came to Latin America are the Europeans notably the Spanish. Initially, the desire for glory drove explorers to different expeditions of other lands. The pull factor is the allure of the expeditionary forces to the vast riches of the region. â€Å"After the reports of the riches of the empire to the south had reached the Spanish settlement in Panama, considerable interest in conquest developed. Eventually, the Spanish came back with its conquistadores† (Galeano 27). The rest, as we now know from hindsight, is history. Agriculture Production Agricultural production in the Latin America became the fuel for development of the imperial global market. â€Å"At the same time, directly or indirectly but decisively, it spurred the growth of Dutch, French, English and United States industry. The demand for sugar produced the plantation, an enterprise motivated by†¦ profit and placed at the service of the international market that Europe is organizing. (Galeano 72). Agriculture production policies of the imperial powers deliberately shifted from small-scale farming into monocrop economies. â€Å"As national economies developed, regions and often whole nations became dedicated to monoculture—dedication to one crop or commodity. † (Vanden and Prevost 151). Colombia and El Salvador focused on selling coffee on the international market, Mexico and Venezuela were dependent on the petroleum commodity, Bolivia centered on tin. Coffee and bananas became the biggest agricultural products of Central America. From being self-sufficient agricultures, where people â€Å"nourished themselves on a balanced diet consisting of beans, corn, and squash,† (Vanden and Prevost 19), the shift into agro-industries is triggered by the principle of comparative advantage on the international market. Latin America at this point became a good source of raw materials and food for the imperialist states. The priority of agriculture in peripheries is always the self-serving interest of the US and Europe. While Brazil prospered due to its exports of sugarcane monoculture, the nation’s children ironically starved. Abundance and prosperity came hand in hand with chronic malnutrition and misery for most of the population† (Galeano 75). Foreign Debt At present Jamaica owes over $4. 5 billion to the IMF, the World Bank and the Inter-American Development Bank (IADB) among other international lending agencies yet the significant development that these loans have guaranteed have yet to manifest. The amounts of foreign exchange together with the structural adjustment policies have had a negative impact in the life of everybody. In another part of the movie, we can see the history of a chicken plant which had a good business selling high-quality chicken to the internal Jamaica market; but this business has been demoralize by U. S. ; while there are a lot of restriction on foods and goods imported into the U. S. there are regularly no restrictions on foods and goods exported to foreign developing country. (Life and Debt 2001). Jamaica is not alone in its debt crisis. After the shift from colonialism to the independence of Latin America, the new world order shifted its principles from liberalism to a neo-liberal, neo-colonial system. Virtually all of Latin America is on the throes of economic dependence on international financial institutions, namely the IMF and World Bank. The loans do not come without strings attached to it. Structural adjustment programs and stringent conditionalities essentially limit the capability of Latin America to compete at the global market. For instance, produce from Third World countries such as that in Latin America are penalized with tariffs and quotas as they enter First World markets, while finished products of the US and Europe find their ‘niche’ market in the Third World. The free play of supply and demand does not exist on the international market, the reality is a dictatorship of one group over the other† (Galeano 259). Conclusion: Global Economic Hegemony The alienation of the peoples of Latin America, their sufferings and collective aspirations juxtaposed with the injustices experienced within its history are the prime reasons for the regions revolutionary and bloody history. From slavery, to feudalism, to mercantilism, to capitalism, the world order had changed via neo-liberalism, neo-colonialism and globalization. Sadly, none of these modes of production had effectively benefitted Latin America. These different economic historical periods are only different forms of the same thing—inequalities, poverty, human rights abuses and a melange of problems that hound Latin America today. Since the colonial period, the grips of powerful nation states had never loosened on Latin America. It is a good source of raw materials, with cheap labor and also a good market for finished products. The international economic structures enabled â€Å"economic policy recommendations that are dominated by orthodox capitalist economic thinking† (Vanden and Prevost 165). Inequalities continue to exist and are even presented in smokescreens such as Free Trade, which is not free after all. The Global North competing in the international market against the Global South is a very one-sided economic structure that benefits the North at the expense of the South. The contemporary global economic hegemony is essential for the US and Europe, it is essential for their survival. Globalization shrank the world into a smaller entity but the international economy is still run by colonial powers. 21st century domination of the world does not come in barbaric way, the methods of coercion and domination are subtle yet they are as cruel and deadly as before. What had happened for the past centuries is an enslavement of Latin America and a raping of humanity by colonizers.

Thursday, August 29, 2019

Diddy - Dirty Money - Coming Home ft. Skylar Grey Essay

Diddy - Dirty Money - Coming Home ft. Skylar Grey - Essay Example It tells the story of a person who has made many mistakes in life and has under gone various difficulties in life, and at the end of the day, he realizes that he needs a fresh star to hi life. The person is thus left with the choice of going back home to rebuild his life and start all over a new. The song captures this troubled past of the singer when she sings, â€Å"Let the rain wash away all the pain of yesterday. I know my kingdom awaits and they have forgiven my mistakes.† This clearly brings out the major theme of the song as forgiveness and the need to move on after under going a turbulent period in ones life. The song also talks about repentance and the need to forgive past mistakes. This is illustrated in the song where the singer asks his children to forgive him for not being there for them when they needed him most. He asks them to forgive him as he acknowledges that he was wrong. He blames this on his fame and fortunes that have led him to develop an alternative personality that is expected of him as a superstar, and this leads him to forget of his role as a father and husband. This is illustrated in the song when he raps, â€Å"Its easy to be Puff, but its harder to be Sean. If the twins asked me why I did not marry their mom, how would I respond?† he thus acknowledges that a new day begins by a new dawn, and that it was time he returned home to his loved ones to make up for the lost time and the mistakes that he may have made when he was away. The singer thus recognizes that a house is not a home, and he thus chooses to go back to his family to create a home. The song is meant to give hope to someone who is depressed in alls situation he or she is going through. It gives encouragement to the suppressed and points out that help is coming so no should ever give in life. It also encourages people to overcome their problems and seek to become

Wednesday, August 28, 2019

Logic & Reasoning Discussion Forum Essay Example | Topics and Well Written Essays - 250 words

Logic & Reasoning Discussion Forum - Essay Example Reasoning involved is: XYZ is old, so XYZ is better. The logic is that- how can the age of something relate to its efficiency? For example, fallacious appeal to tradition makes us believe that witches cause diseases and microorganisms do not, because witches myth is a belief that has been there since ages. 3. This fallacy is called hasty generalization. Was Smith not hastening in believing what he saw only once? Also called fallacy of insufficient statistics or hasty induction, this fallacy takes place when a person, Smith here, jumps to conclusion by looking at insufficient evidence or small sample of a large population (Sellnow 392). Reasoning involved is: if observed X% of all As are Bs, still all As cannot be Bs, or if two of all squirrels are white, still all squirrels cannot be white. Logic here is that a conclusion cannot be drawn from merely observing a small sample taken from population. 4. Paraphrase: Under the new targets, the United States and Russia guarantee that both of them will deploy 525 to 700 fewer strategic nuclear warheads by 2016 when presently, by 2012, they are 2200

Tuesday, August 27, 2019

A REPORT ON GENDER SECURITY AND EDUCATION FOR ALL Essay

A REPORT ON GENDER SECURITY AND EDUCATION FOR ALL - Essay Example A secure world has a believe that gender security should not be regarded as a separate work stream within institutions and processes working on security and peace issues, instead should be a contemplation of everyone working on security and peace issues. Nevertheless, different scholars have come up with different definitions of gender security. Gender refers to social, economic, cultural and political opportunities and attributes related to being either a female or a male. For this case, gender security takes into consideration particular needs of women, men, girls and boys. This is done by promoting equality and participation of persons of all genders during the process of making decisions. This is mainly done through mainstreaming of gender in both local and international organizations. Education is an imperative thing to everybody, but it is very significant to women and girls in the society. This is because education has a great effect to both the family and generations to come. It is also considered as an entry point to various opportunities in the competitive world. Putting more resources in the girl’s education is one of the ways of curbing poverty and also reducing the gap between the rich and the poor. To ensure that there is no disparity in accessing education for both genders; teachers should ensure that there is proper planning for learning resources. This will ensure that there is a reduction of gender violence against women in the society. Education empowers women and girls to be familiar with their rights and claim them confidently. It also helps them in identifying the significance of health care facilities. A broad incorporation of dimensions of gender equality into learning processes is very important in ensuring effective delivery of security services and local ownership as it ensures accountability, oversight and strengthens the inclusion of security services (Adler, 2009). Nevertheless, planning of learning resources in many educational institutions does not involve both men and women during decision making processes and does not acknowledge adequately gender dynamics in trying to get the insight of such issues as gender and sexual violence. This leads to disparities in distribution of learning resources thus penetration the violation of learner’s rights which may lead to harassment and discrimination (Bastick, 2011). In most learning institutions, both women and men may have some differences in the learning activities they undertake. Such differences may be hindrances to the development since they restrict women from exercising their full potential. Men, boys, women and gir ls have various learning experiences, priorities, roles and needs. Planning of learning resources requires close attention to these disparities. It also ensures that

Monday, August 26, 2019

Enhancing Teamwork At Communico Company Essay Example | Topics and Well Written Essays - 3000 words

Enhancing Teamwork At Communico Company - Essay Example The intention of this study is organizational leadership assessment, a strategic tool for enhancing the effectiveness of teams in organization. Smith, Montagno and Kuzmenko argue that team effectiveness is a critical aspect for ensuring the profitability of an organization. As a graduate trainee employed by ‘CommuniCo’ a large UK-based mobile phone manufacturing company, I have come up with this advice paper to recommend the planning of an initiative to improve teamwork amongst managers and shop-floor workers. Cohen and Bailey describe that there are different definitions of a team within the context of an organization. Cohen and Bailey explain that a team is a collection of interdependent individuals in their tasks, share duties for outcomes, they see themselves and are viewed by others as an integral social unit embedded in another larger social system and manage their interaction within the organizational boundaries. According to Cohen and Bailey although different au thors use the word team and group interchangeably; she asserts that groups vary in their degree of ‘groupness’ with some groups being more integrated and interdependent than others. Katzenbach and Smith observes that they used the term; team to refer to groups that develop high degree of ‘’groupness’’. On the other hand, given that most previous authors had focused their studies on ineffective teams, Larson and LaFasto directed their energies on exploring different aspects of effective leadership as noted by Irving and Longbotham. (2007, p. 104). Consequently, given the diverse approach that the two different case studies used in evaluating team leadership models, I have chosen to base my analysis on the models they developed on effective team leadership. Katzenbach and Smith’s work is particularly important in that the two went further and defined a team as individuals who show high level of integration. The two case studies in-turn ca me up with high standards for a team in their generic model of effective team working. I therefore wish to benchmark teamwork initiative at CommuniCo with a hybrid of the two models to guarantee the success of our organization. According to Cohen and Bailey (1997, p.241) there are four different types of teams in an organization which include; work teams, management teams, parallel teams and project teams. Cohen and Bailey (1997, p. 242) explains that effectiveness in an organization include diverse outcomes that are important in an organization. The levels of evaluating effectiveness can be analyzed from an individual, business unit, group or organizational level. The effectiveness is categorized into three dimensions depending on its impact on the team. These include performance effectiveness which is assessed in terms of quality and quantity of the output, behavioral outcomes and members’ attitudes. The argument on this paper will base on the writing of various authors who have analyzed the works of Larson and LaFasto and that of Katzenbach and Smith. Planning a Teamwork Initiative for the Company Team buildings is a critical aspect in any organization be it a school, nonprofit organization, a firm or a religious group and are implemented with an intention of improving the performance of a team (Lencioni, 2002, p.10-12 and Naquin and Tynan, 2003, p. 332). Team building may involve use of various practices that are used to bring together a specific group within an organization or initiatives aimed at bringing the all the members of an organization with an effort to improve the performance. CommuniCo Company has proposed to implement an initiative to improve teamwork across the company. Burgoynem (2001, p.35) notes that team building is important in an

Sunday, August 25, 2019

Kellogg's Nutri-Grain Coursework Example | Topics and Well Written Essays - 2500 words

Kellogg's Nutri-Grain - Coursework Example To maintain the cash flow target, the company should maintain their minimum monthly closing balance. To maintain the brand position in the market, the company can increase their profitability by minimum 3% or the company may increase their shareholders returns by 15%. Moreover, increased use of social media and online platform can be extremely beneficial for the company to increase preference of the distinct offerings of Nutri-Grain. Table of Contents Executive Summary 2 2 Marketing Environment 6 PESTEL Analysis 9 Market Analysis and Current Market Situation of Kellogg’s 11 SWOT Analysis of Kellogg’s Nutri-Grain 11 Marketing Objectives 13 Marketing Strategy 15 The Actual Marketing Programs 18 Market Control Mechanism 18 References 19 Research and Planning Will Keith Kellogg and Dr. John Harvey Kellogg were the co-inventor of Kellogg Company. Over a period of more than 100 years of successful existence amid the global consumer market has been accomplished by Kellogg Comp any with its continuous focus on rendering an assortment of products that fulfil different health oriented needs of consumers. The company offers a variety of convenience foods such as cereals, cereal bars, cookies, crackers, fruit-flavoured snacks, toaster pastries, frozen waffles along with vegetarian foods. The organisation was established in the year 1906. The current market situation of Kellogg’s has witnessed a considerable extent of upsurge in terms of the company’s market share and profitability as compared to other convenience food companies. Within the current market environment, the leading brands of Kellogg’s include Cornflakes, Special K, Rice Krispies and Nuri-Grain. The main purpose of Kellogg’s Company is â€Å"to nourishing the families so that they can flourish and drive† (The Times, 100, 2013). The prime market customers of these leading brands under Kellogg’s include health conscious people, regular office-goers, young an d growing male as well as female section of the society. Among these leading offerings, Nutri-Grain is a one type of breakfast cereal along with breakfast bar offering of Kellogg Company. The breakfast cereal product of Nutri-Grain is made up of wheat, corn along with oats. The consumers in the regions such as Australia, the United States, the United Kingdom, South Africa and Canada among others are quite fond of the Nutri-Grain offerings. There is a variety of offerings beneath Kellogg’s Nutri-Grain product such as Kellogg’s Nutri Grain Fruit Crunch, Kellogg’s Cereal Bars, Kellogg’s Nutri Grain Cereal Bars, Kellogg’s Fruit-Fusion with Antioxidants, Kellogg’s Nutri-Grain Soft Bakes among others. Now-a-days, with an increased level of health consciousness amid most of the families on a global basis, they have increasingly becoming fond of starting their day started with Kellogg’s products. In this regard, Nutri- Grain has several nutri tional components that carry healthy benefits to a human body (Kellogg NA Co, 2013). With these considerations, the main objective of the study is to prepare a marketing plan for Kellogg’s Nutri-Grain based on the findings associated with the current market scenario of Kellogg’s. This study also describes a succinct SWOT analysis of Kellogg’s Nutri-Grain product. With respect to the SWOT analysis, a precise set of marketing objectives is enumerated to ascertain that Kellogg’s Nutri-Grain attains greater profitability in the future. Marketing

Saturday, August 24, 2019

Qualitative analysis using the transcript provided Essay - 1

Qualitative analysis using the transcript provided - Essay Example I am like a pig stuck in the middle of everything. I want to do my job well. I want to help the people in the community but I have to also listen to the people in charge of me because they are my bosses. They say one thing, the people out there, they want something else. What can I do? Sometimes my hands are tied up. But I do try to do things to make a difference to the people out there – those ones in the rural communities in the district. There are many things which they are facing which can affect their health these days. Maybe I can help them to sort some of this out by working with them. P. Yes. It’s me. There’s nobody else. I deliver training on health issues such as hygiene. I try to help people to understand how they need to wash their hands before they prepare food or something like that...the children, they can get so sick with running stomachs which is bad. Or sometimes, if there is an outbreak, then I will do something different, something about what the trouble is. If there is cholera it is not about prevention it is about action and it needs to be quick and co-ordinated. But it is difficult for some people when they do not have soap or when they have to fetch water from some other place or people are sick and cannot work in the fields. Umm, but really it’s not for me to tell people what to do. I am not their mother or their father but I can try to help them to understand how they can help themselves. Sometimes they listen and sometimes they don’t. The old ones sometimes say ‘who is this young thing who is coming to tell us what it do when we have lived all this time?’ Hopefully you are just putting things into people’s heads and, you know, making them think that next time they will do something. Maybe if they are worried and they can speak to you if you are friendly. So yeah, it is only me that does†¦it can be a struggle†¦(fades off). P. Me, I am the one who does

Friday, August 23, 2019

The Federal Reserve Essay Example | Topics and Well Written Essays - 1250 words - 2

The Federal Reserve - Essay Example This paper seeks to analyze the role of the financial markets in economic wealth creation in the United States as well as three financial securities which include; stock shares, bonds, and treasury bills. Analyze the role financial markets play in creating economic wealth in the U.S. Financial markets have a significant role as far as the United States economy is concerned. Most importantly they aid in the creation of wealth through various ways. In line with this a major role of financial markets is the facilitation of transfer of funds from those who have surplus to those without. This basically means that funds are channeled to borrowers from lenders through systems and frameworks in the financial markets. Lenders spend small portions of their incomes while the rest is kept for savings while borrowers wish to spend more than their incomes. This makes it possible for funds to flow from the lenders to the borrowers. Financial markets provide an avenue through which finances move fro m lenders to borrowers. In financial markets financial instruments otherwise regarded as financial securities are instruments that facilitate the transfer of funds. Borrowers purchase the financial securities from lenders which acts a claim on future assets and incomes of the former. Therefore financial markets enable companies to obtain funds in a much easier for development and growth or rather for the exploitation of a new business idea. This processes therefore translates to the creation of wealth in the United States since private businesses, the government as well big companies can be able to engage in Investment activities as a result of readily available funds through the financial markets securities. Provide a general overview of each of the three (3) securities you chose. Be sure to include such information as name, company it represents (if applicable), pricing, and historical performance. Walmart Company makes use of financial securities to source funds and be able to co ntinue in business. Stock shares are financial securities that facilitate operations of this company in the financial markets in the United States. Stock shares enable investors to actually invest their funds in this company. Walmart company shares have in the past presented an investment image that is not that attractive to investors (Groz, 2009). Over the past decade the company traded its shares in the stock exchange market in New York with the price per share being $58.75. At the time the earnings yield per share was 2.54% which meant that investors received an earning per share of $1.49. Such a rate of return on Walmart’s shares was actually lees by a half of what an investor could have received if they invested in treasury bonds. In this case the United States treasury bonds had a much better deal for investors. The returns on shares did not account for payment of taxes after the distribution of dividends to the shareholders. Besides the use of treasury bonds, the Unite d States government issues treasury bills in order to be able to source funds to support its investments as well as other activities. Treasury bills securities are short term instruments whose maturity is usually on a quarterly, half year or annual basis (Valdez, 2002) The United States t

Art And Social Protest During The Vietnam War Research Paper

Art And Social Protest During The Vietnam War - Research Paper Example Many participants of these artworks have different ways to demonstrate and pass their message to the targeted people and empower them on different aspects. During war times, people use artwork to demonstrate the suffering of other people which they undergo and this helps in easing of the situation or more help coming to the people in need. Most paintings may reference a certain War event but it serves for any War and artist aim for generic use and information when making these artworks. Pablo Picasso’s artwork, named after a city in Spain that was a target of terror bomb during the Civil War in Spain. This painting demonstrated the kind of suffering it puts individuals and at most, the innocent people the fame of this art reminds of war tragedies with the symbolization of anti-war and peace. The spread of the artwork throughout the world brought the Spanish War to the attention of the whole world. Picasso never wanted the painting to reach Spain until democracy and liberty for med, this saw the painting put under a high security with a bomb and bulletproof screens for security purposes. This shows the importance of the painting in the fight against the war. The meanings of Picasso’s painting vary according to the interpretation provided. Throughout Picasso’s career, he used the bull and a horse to symbolize different roles since the two are important characters in the Spanish culture. Many victims are visible with some alive and others dead which remains as a historical reminder of the times of war.  ... This shows the importance of the painting in the fight against war (Matthew 49). The meanings of Picasso’s painting vary according to the interpretation provided. Throughout Picasso’s career, he used the bull and a horse to symbolize different roles since the two are important characters in the Spanish culture. In the sculpture, many victims are visible with some alive and others dead which remains as a historical reminder of the times of war. Chaos by the European political unpredictability is visible in the composition of the Picasso’s painting. The color in the Guernica is black which mostly symbolizes death. Other artists during the time of Picasso who influenced the artwork of anti-war, or the like of Franisco de Goya not only did the artwork on war but also in a bullfight. The whole scene takes place within a room with one open end and a bull over a woman mourning for a dead child and some other hidden images. A light bulb to represent the sun and a broken sword to represent defeat are visible in the painting by Picasso known as Guernica (Shabi 12). Schneemann held a performance â€Å"snows† to protest the famous Vietnam War with a focus in values on flesh and this brought new fraught in politics. Schneemann participated in the New York City festival during the week of Angry Arts, which involved many performances and events from many artists in protest of the famous war. Her presentation shows the ambivalence of emotionally charged photos, which suggests uncertainty in the information overlaid and passing strategy. She also uses a film that she demonstrates the misuse of people in wars and the results of war. These artworks show that Schneemann was among the protestors

Thursday, August 22, 2019

Disgusting at the same time Essay Example for Free

Disgusting at the same time Essay The author wants the reader to imagine the most horrible things and as everyone has different ideas about our own horror it will make it even more repulsive. By using the word hollowed he burns an image in your mind and makes you visualize the hollow bodies that had been devoured by the vultures. The word Strange by itself in one line sums up your feelings among the following section of the poem, and by being alone in one line it emphasises the word, it gives the word Strange a lot of importance. Achebe shows affection as a pessimistic aspect of life, in the poem it says that love coils up like a snake in a corner, it also says that love is upset, angry or punished. Together with the phrase turned to the wall, the author personifies love. Reaching to a certain point of the poem, the author uses an ellipsis by dividing it into two supposed different stories, however, thats what it seems from the outside, but if you , both stories is related one to another. To link these parts, the author changes line, and uses punctuation ( ), he uses three dots at the end of the first part to show the poem continues, and then starts talking about the commandant Thus the Commandant at Belsen, which appears to be a total different theme. When the poet uses the phrase fumes of human roast it intends to create a disgusting scene, with the word roast he creates a linking image which relates the phrase to the animals, food and cooking (burning). The word i roast` is associated to the word ihuman` which makes you think of people being cooked and burned, and it seems even more revolting as the reader probably visualises itself in the same situation. With this extremely inhuman scene the author originates a cruel image referred to Commandant, he is also shown as a very horrendous man when Achebe talks about the commandants appearance; i hairy nostrils`, the poet wants to incite the reader to hate this character. The Commandants children are represented as his `tender offspringi , this produces a comparison between the commandant and the vulture because normally when referring to society the `offspringi of someone usually are their sons or daughters, the word `offspringi is applied when we talk about animals, so this word in a way shows that the commandant wasnt very loving towards his children. The word tender is used to describe is normally used to describe soft meat. This creates two impressions of the same concept; his offspring is related to good meat, yet its also related to the vultures, which creates a memorable paradoxical image. The author wants the audience to see both facets of this terrible man, by saying the word Daddys, this makes the commandant seem sweet and caring, and uses an enjambment Daddys // return, to make the word i returni stand-out. He also wants to create two different images with the word return, to make the reader think that the children miss their father, and to prove that theres also a bit of grace in such a cruel man. To conclude, in the last paragraph Achebe summarises the poem. He thanks God that even an ogre (which in society is seen as a stereotype of a malicious creature) has a tiny glow-worm of tenderness encapsulated in icy caverns of a cruel heart. This means that all human kind beings with a dark inside will unfailingly have a spark of mercy in him. Achebe finally expresses that human beings arent good or bad, theyre a combination of both, and this is what the whole poem represents. The poem is made out of one stanza, which is divided into four subsections. This an unusual poem because the poet uses free verse, which makes the poem colloquial. It has no rhyme because rhymes make things amusing and musical and wouldnt help the poet describe pessimistic aspects as he does in the majority of the poem. The four fragments link together evil, goodness, vultures and the commandant. Achebe uses commas and enjambment to make it a slow paced poem to read which makes it sorrowed. The whole poem is written in English by a Nigerian author, it is written for European readers. He wants to show that it doesnt matter from where you belong, every war is the same as abominable and everyone has a bit of light and darkness in their hearts.