Free Essay

Ewan

In: Novels

Submitted By jhearararar
Words 1645
Pages 7
|

|

Creating Database using Navicat 1. Open Navicat (Start>>All Programs>>Premium Soft>>NavicatMYSQL. 2. Create new connection by clicking Connection button. 3. Under the General TAB, * Connection Name = MySQLServerConnection * Host Name/IP Address = localhost * Port = 3306 * User Name = root * Password = admin * Click OK button 4. Double click the newly created connection on the left pane to activate it. 5. Create a new database named lastname_firstname_dbgrading. 6. Add the following fields. * Studentid => varchar(10) => pk * Studentname => varchar(50) * quiz => float(3,2) * exam =>float(3,2) * project => float(3,2)

|

|

Creating a simple vb.net application to connect to mysql server. 1. Open Visual Studio 2008 and create a new project under VB.Net Windows form application. 2. Select a location where you want to save your application. (name your application as course_lastname_firstname) – (example: bsit_balauag_jr). 3. Set the following properties of the form. * Name => lastname_firstname_frm_server_login – (example: balauag_jr_frm_server_login). * Text => Connect to Server * StartUpPosition => CenterScreen * MaximizeBox => False * MinimizeBox => False * FormatBorderStyle => FixedSingle * Size => 417, 195

4. Add 3 textbox control, 3 labels, and 2 button on your form.

5. Set the properties of the first textbox. * Name => lastname_firstname_txt_server_name (example: balauag_jr_txt_server_name) * Text => Empty 6. Set the properties of the second textbox. * Name => lastname_firstname_txt_user_name (example: balauag_jr_txt_user_name) * Text => Empty 7. Set the properties of the third textbox. * Name => lastname_firstname_txt_password (example: balauag_jr_txt_password) * Text => Empty * PasswordChar => *

8. Set the properties of the first button. * Name => lastname_firstname_btn_connect (example: balauag_btn_connect) * Text => &Connect 9. Set the properties of the second button. * Name => lastname_firstname_btn_exit (example: balauag_jr_btn_exit) * Text => &Exit 10. Click Project on the menu bar, and then click “Add Module”, click the “Add” button. * Change the module’s name to lastname_firstname_functions.vb (example: balauag_jr_functions.vb) 11. Click Project on the menu bar, click “Add References”. 12. The Add References dialog box will appear, select .NET tab, browse MySQL.Data, and then click the “Ok” button. 13. Open lastname_firstname_functions.vb on the solution explorer, add the following lines
-------------------------------------------------
Imports MySql.Data.MySqlClient

Module lastname_firstname_functions Public conn As New MySqlConnection Public comm As New MySqlCommand
-------------------------------------------------
Public db_reader As MySqlDataReader

Public Function connect_to_server(ByVal server_name As String, ByVal user_name As String, ByVal password As String) As Boolean

Dim is_connected As Boolean = False Try conn.ConnectionString = "Server=" & server_name & "; uid=" & user_name & "; password=" & password & "; database=lastname_firstname_dbgrading" conn.Open() comm.Connection = conn is_connected = True Catch ex As Exception is_connected = False End Try

Return is_connected
-------------------------------------------------
End Function
Public Sub show_info_message(ByVal l_msg As String, ByVal l_title As String)
MessageBox.Show(l_msg, l_title, MessageBoxButtons.OK, MessageBoxIcon.Information, MessageBoxDefaultButton.Button1)

End Sub
-------------------------------------------------
End Module

14. Open lastname_firstname_frm_server_login.vb on the solution explorer, add the following lines
-------------------------------------------------
Public Class lastname_firstname_frm_server_login

Private Sub lastname_firstname_btn_connect_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles lastname_firstname_btn_connect.Click Dim server_name As String = lastname_firstname_txt_server_name.Text.Trim Dim user_name As String = lastname_firstname_txt_user_name.Text.Trim.Trim Dim password As String = lastname_firstname_txt_password.Text.Trim If connect_to_server(server_name, user_name, password) Then Me.Hide() show_info_message("Success in connecting to server.", "Connect") lastname_firstname_frm_main.Show()

Else show_info_message("Unable to connect to server.", "Connect")

End If
-------------------------------------------------
End Sub

Private Sub lastname_firstname_btn_exit_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles lastname_firstname_btn_exit.Click Application.Exit() End Sub
-------------------------------------------------
End Class

15. Click Project on the menu bar, and then click “Add New Item”, select “MDI Parent Form” on the list. 16. Name your MDI Parent Form as lastname_firstname_frm_main.vb, and then click “Add” button. 17. Select lastname_firstname_frm_main.vb on the solution explorer, double-click any vacant space on the form, press CTRL+A on your keyboard and click the Delete key to remove all the pre-generated codes. Add these lines, your screen should look something like this.

Public Class lastname_firstname_frm_main

-------------------------------------------------
End Class

18. 19. Open lastname_firstname_frm_main.vb on the solution explorer, press CTRL+A on your keyboard and click the Delete key to delete all the controls available on your form. 20. 21. Once done, set the properties of lastname_firstname_frm_main.vb. * Text => Main Window – Your Whole Name (example: Main Window – Jr G. Balauag). * WindowState => Maximized

22. Add one MenuStrip on the form. Your form should look something like this.

23. Click Project on the menu bar, click “Add Windows Form”, name the form as lastname_firstname_frm_record.vb (example: balauag_jr_frm_record). 24. Add six labels, six textboxes, three buttons, and one listview control on your form. * TextBox1 – change its name to txt_studentnumber * TextBox2 – change its name to txt_studentname * TextBox3 – change its name to txt_quiz * Textbox4 – change its name to txt_exam * TextBox5 – change its name to txt_project * TextBox6 – change its name to txt_search * Button1 – change its name to btn_save * Button2- change its name to btn_update * Button3 – change its name to btn_delete * Button1 – change its text to &Save * Button2- change its text to &Update Selected * Button3 – change its text to &Delete Selected * ListView1 * Name => lv_records * Gridlines =>true * View => Details * FullRowSelect => True

25. Select lastname_firstname_frm_main.vb from the solution explorer. Double click any vacant area inside the form and add the following lines.

Public Class lastname_firstname_frm_main

Private Sub RecordScoreToolStripMenuItem_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles RecordScoreToolStripMenuItem.Click Form2.MdiParent = Me Form2.Show()
-------------------------------------------------
End Sub

Private Sub ExitToolStripMenuItem_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles ExitToolStripMenuItem.Click Application.Exit() End Sub
-------------------------------------------------
End Class 26. Select lastname_firstname_frm_record.vb from the solution explorer. Double click any vacant area inside the form and add the following lines.

Public Class lastname_firstname_frm_record
-------------------------------------------------
Private f_studentnumber As String = ""

Private Sub Form2_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load load_record(False)
-------------------------------------------------
End Sub

Private Sub load_record(ByVal is_search As Boolean) lv_records.Columns.Clear() lv_records.Items.Clear() txt_studentnumber.Clear() txt_studentname.Clear() txt_quiz.Text = "0" txt_project.Text = "0" txt_exam.Text = "0" lv_records.Columns.Add("#") lv_records.Columns.Add("Student Number") lv_records.Columns.Add("Student Name") lv_records.Columns.Add("Quiz") lv_records.Columns.Add("Exam") lv_records.Columns.Add("Project") Dim i As Integer = 0 Dim condition As String = "" If is_search = True Then condition = "WHERE studentid='" & txt_search.Text.Trim & "'" End If Dim query As String = "SELECT * FROM tbl_scores " & condition comm.CommandText = query

db_reader = comm.ExecuteReader

While db_reader.Read i += 1 Dim item1 As New ListViewItem(i & ".") item1.SubItems.Add(db_reader(0).ToString) item1.SubItems.Add(db_reader(1).ToString) item1.SubItems.Add(db_reader(2).ToString) item1.SubItems.Add(db_reader(3).ToString) item1.SubItems.Add(db_reader(4).ToString)

lv_records.Items.AddRange(New ListViewItem() {item1}) End While

db_reader.Close() db_reader = Nothing

------------------------------------------------- End Sub

Private Sub btn_save_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles btn_save.Click Dim studentnumber As String = txt_studentnumber.Text.Trim Dim studenname As String = txt_studentname.Text.Trim Dim quiz As Double = Double.Parse(txt_quiz.Text.Trim) Dim project As Double = Double.Parse(txt_project.Text.Trim) Dim exam As Double = Double.Parse(txt_exam.Text.Trim)

Dim query As String = ""

query = "INSERT INTO tbl_scores " _ & "VALUES(" _ & "'" & studentnumber & "','" _ & studenname & "'," _ & quiz & "," _ & project & "," _ & exam & ")"

If exec_query(query) Then show_info_message("Record has been successfully saved.", "Save") load_record(False) Else show_info_message("Unable to save record.", "Save") End If
-------------------------------------------------
End Sub

Private Function exec_query(ByVal query As String) As Boolean Dim is_query_ok = False

comm.CommandText = query Try Dim affected_rows As Integer = comm.ExecuteNonQuery

If affected_rows > 0 Then is_query_ok = True Else is_query_ok = False End If Catch ex As Exception is_query_ok = False End Try

Return is_query_ok
-------------------------------------------------
End Function

Private Sub lv_records_SelectedIndexChanged(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles lv_records.SelectedIndexChanged If lv_records.Items.Count > 0 And lv_records.SelectedItems.Count > 0 Then f_studentnumber = lv_records.Items(lv_records.FocusedItem.Index).SubItems(1).Text txt_studentnumber.Text = lv_records.Items(lv_records.FocusedItem.Index).SubItems(1).Text txt_studentname.Text = lv_records.Items(lv_records.FocusedItem.Index).SubItems(2).Text txt_quiz.Text = lv_records.Items(lv_records.FocusedItem.Index).SubItems(3).Text txt_project.Text = lv_records.Items(lv_records.FocusedItem.Index).SubItems(4).Text txt_exam.Text = lv_records.Items(lv_records.FocusedItem.Index).SubItems(5).Text End If
-------------------------------------------------
End Sub

Private Sub btn_update_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles btn_update.Click If f_studentnumber = String.Empty Then show_info_message("Please select student to be deleted from the list.", "Delete") Else Dim studentnumber As String = txt_studentnumber.Text.Trim Dim studenname As String = txt_studentname.Text.Trim Dim quiz As Double = Double.Parse(txt_quiz.Text.Trim) Dim project As Double = Double.Parse(txt_project.Text.Trim) Dim exam As Double = Double.Parse(txt_exam.Text.Trim)

Dim query As String = ""

query = "UPDATE tbl_scores " _ & "SET studentid='" _ & studentnumber & "',studentname='" _ & studenname & "',quiz=" _ & quiz & ",project=" _ & project & ",exam=" _ & exam & " WHERE studentid='" & f_studentnumber & "'"

If exec_query(query) Then show_info_message("Record has been successfully updated.", "update") load_record(False) Else show_info_message("Unable to update record.", "Save") End If End If

------------------------------------------------- End Sub

Private Sub btn_delete_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles btn_delete.Click If f_studentnumber = String.Empty Then show_info_message("Please select student to be deleted from the list.", "Delete") Else If MessageBox.Show("Are you sure that you want to delete this record?", "Delete", MessageBoxButtons.YesNo, MessageBoxIcon.Question, MessageBoxDefaultButton.Button2) = Windows.Forms.DialogResult.Yes Then Dim query As String = ""

query = "DELETE FROM tbl_scores WHERE studentid='" & f_studentnumber & "'"

If exec_query(query) Then show_info_message("Record has been successfully deleted.", "Delete")

load_record(False) Else show_info_message("Unable to delete record.", "Delete") End If End If End If
-------------------------------------------------
End Sub

Private Sub txt_search_TextChanged(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles txt_search.TextChanged If txt_search.Text.Trim <> String.Empty Then load_record(True) End If End Sub
End Class

-------------------------------------------------
Private Sub Button1_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles Button1.Click
-------------------------------------------------
Dim username As String = TextBox1.Text.Trim.Trim
-------------------------------------------------
Dim password As String = TextBox2.Text.Trim
-------------------------------------------------

------------------------------------------------- If connect_to_server(username, password) Then
-------------------------------------------------
Me.Hide()
-------------------------------------------------
show_info_message("Success in connecting to server.", "Connect")
-------------------------------------------------

------------------------------------------------- Else
-------------------------------------------------
show_info_message("Unable to connect to server.", "Connect")
-------------------------------------------------

------------------------------------------------- End If
-------------------------------------------------
End Sub
-------------------------------------------------

-------------------------------------------------

------------------------------------------------- Private Sub lastname_firstname_btn_exit_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles Button2.Click
-------------------------------------------------
Application.Exit()
-------------------------------------------------
End Sub
-------------------------------------------------
End Class
-------------------------------------------------

Similar Documents

Free Essay

Ewan

...LETTER OF INQUIRY - are short letter asking question and their reply. They are made for the purpose of obtaining. 2 types of letter of inquiry(LB) Qualities(CC) 1. Longer letter of inquiry concious 2. Brief letter of inquiry concise Contents(RFET) 1. Reasons for inquiry 2. Facts needed by the reader 3. Expression of gratitude 4. The contents are tabulated( for longer) LETTER OF RESERVATION - are letters stating willingness for occupacy in advance. Qualities(BD) 1. Brief 2. Defenite Contents(NLDT) 1. No of reservation 2. Location preferred 3. Date of reservation 4. The price LETTER OF INVITATION -requires the presence of a person in a certain occasion. Qualities(CG) 1. Cordial and gracious in tone Contents(NATDR) 1. Name of the organization 2. Attainments of the speaker 3. The subject upon which the speaker to speak or the topic 4. Duration of the speak 5. Reply Letter of Appreciation or Gratitude - among letter types it is the least expected. Qualities(BS) 1. Brief and sincere Letter of Congratulations and Good wishes - a letter written to associates and employees who enjoyed progress and good fortune. Qualities(BDC) 1. Brief 2. Direct 3. Concise Letter of Condolence - letter written breaved family Qualities(ST) 1. Sincere 2. Tactful Letter of Introduction - it is letter written to bring about acquiantanceship between two person not known to each other Qualities(BDSS) ...

Words: 357 - Pages: 2

Premium Essay

Ewan

...Classification of Corporations V. CLASSIFICATIONS OF CORPORATIONS 1. In Relation to the State: (a) Public corporations (Sec. 3, Act No. 1459) § Organized for the government of the portion of the state (e.g., barangay, municipality, city and province) § Majority shares by the Government does not make an entity a public corporation. xNational Coal Co., v. Collector of Internal Revenue, 46 Phil. 583 (1924). (b) Quasi-public corporations xMarilao Water Consumers Associates v. IAC, 201 SCRA 437 (1991) Although Boy Scouts of the Philippines does not receive any monetary or financial subsidy from the Government, and that its funds and assets are not considered government in nature and not subject to audit by the COA, the fact that it received a special charter from the government, that its governing board are appointed by the Government, and that its purpose are of public character, for they pertain to the educational, civic and social development of the youth which constitute a very substantial and important part of the nation, it is not a public corporation in the same sense that municipal corporation or local governments are public corporation since its does not govern a portion of the state, but it also does not have proprietary functions in the same sense that the functions or activities of government-owned or controlled corporations such as the National Development Company or the National Steel Corporation, is may still be considered as such, or under the 1987 Administrative...

Words: 1906 - Pages: 8

Premium Essay

Ewan

...British English American English accommodation accommodations action replay instant replay aerofoil airfoil aeroplane airplane agony aunt advice columnist Allen key Allen wrench aluminium aluminum aniseed anise anticlockwise counterclockwise articulated lorry tractor-trailer asymmetric bars uneven bars aubergine eggplant baking tray cookie sheet bank holiday legal holiday beetroot beet(s) bill check biscuit cookie; cracker black economy underground economy blanket bath sponge bath blind (window) shade block of flats apartment building boiler suit coveralls bonnet (of a car) hood boob tube tube top boot (of a car) trunk bottom drawer hope chest bowls lawn bowling braces suspenders brawn (the food) headcheese breakdown van tow truck breeze block cinder block bridging loan bridge loan bumbag fanny pack candyfloss cotton candy car park parking lot casualty emergency room catapult slingshot central reservation median strip chemist drugstore chips French fries cinema movie theater; the movies ...

Words: 1017 - Pages: 5

Free Essay

Ewan

...Funniest Moment It is normal that you almost know everything about your friends. You know her crush, favorite food, artist, song and even her things like clothes, shoes, makeup, gadgets and many other more. You almost know everything about her since you’re always with her. In my part, the funny thing is that I was with my friends that moment. We were sitting in the corridor waiting for our next class. We are all busy doing our things like chatting, reviewing and texting. When the bell rang we are about to enter the room. I was about to stand up when one of my friend, Stephanie, said that “ Uy, yong bag ni Hazel” referring to one of our friend. So thinking that it was hazel’s bag, I was about to carry the bag and give it to hazel because she went to the restroom. But before I was able to pick up the bag, I notice Stephanie is smiling devilishly. So I had the second thought. It was then that Hazel is back, carrying her bag. Then I realize that it was not hazel’s bag after all. It was the bag of the girl sitting beside me. The girl looks at me weirdly. She may have other thought about me picking her bag. I feel ashamed and shocked at the same time, knowing that I might have done such peculiar thing in my life. After realizing the prank that Stephanie has done to me, I ran as fast as I could just to move away from that place. My Family My family is the best that I have. They are my life, my soul and my everything. My mother is the most loving person I have met. My mother is...

Words: 1914 - Pages: 8

Premium Essay

Ewan

...Catanduanes State University Laboratory Schools Virac, Catanduanes SY 2014-2015 Drug Addiction/Drug Usage Lyri Kirsten Anicken T. Gianan Grade 9 – Platinum Mr. Eddie Cabrera February 11, 2015 Report on the Enforcement of the Prohibition Laws of the United States by the National Commission on Law Observance and Enforcement (Wickersham Commission Report on Alcohol Prohibition) I have signed the report of the Commission, although as is probably inevitable when eleven people of different antecedents and temperaments endeavor to agree upon a contentious subject, it is more or less of a compromise of varying opinions. In so far as it states facts, I believe it to be generally accurate. Every effort has been made to make it so. I should have preferred to have it state more facts and fewer broad generalizations from unstated facts. But the difficulties in securing accurate statistics, owing to the unsystematic and unscientific manner in which they are commonly kept in this country, often makes it impossible to get reliable statements of fact, although there may be sufficient available information to afford a fairly reliable basis of generalization. I am in entire accord with the conclusions "that enforcement of the National Prohibition Act made a bad start which has affected enforcement ever since"; that "it was not until after the Senatorial investigation of 1926 had opened people's eyes to the extent of law breaking and corruption that serious efforts were made" to coordinate "the...

Words: 16435 - Pages: 66

Free Essay

Ewan?

...Ang tayutay ay salita o isang pahayag na ginagamit upang bigyan diin ang isang kaisipan o damdamin. Sinasadya ng pagpapayahag na gumagamit ng talinghaga o di-karaniwang salita o paraan ng pagpapahayag upang bigyan diin ang kanyang saloobin. Mga uri ng tayutay * Simili o Pagtutulad - di tiyak na paghahambing ng dalawang magkaibang bagay. Ginagamitan ito ng mga salitang: tulad ng, paris ng, kawangis ng, tila, sing-, sim-, magkasing-, magkasim-, at iba pa. Ito ay tinatawag na Simile sa Ingles. * Metapora o Pagwawangis - tiyak na paghahambing ngunit hindi na ginagamitan ng pangatnig.Nagpapahayag ito ng paghahambing na nakalapat sa mga pangalan, gawain, tawag o katangian ng bagay na inihahambing. Ito ay tinatawag na METAPHOR sa Ingles. * Personipikasyon o Pagtatao - Ginagamit ito upang bigyang-buhay, pagtaglayin ng mga katangiang pantao - talino, gawi, kilos ang mga bagay na walang buhay sa pamamagitan ng mga pananalitang nagsasaad ng kilos tulad ng pandiwa, pandiwari, at pangngalang-diwa. 'PERSONIFICATION' sa Ingles. * Apostrope o Pagtawag - isang panawagan o pakiusap sa isang bagay na tila ito ay isang tao. * Pag-uulit * Aliterasyon - Ang unang titik o unang pantig ay pare-pareho. * Anapora - Pag-uulit ng isang salitang nasa unahan ng isang pahayag o ng isang sugnay. * Anadiplosis - Paggamit ng salita sa unahan at sa hulihan ng pahayag o sugnay. * Epipora - Pag-uulit naman ito ng isang salita sa hulihan ng sunud-sunod na taludtod...

Words: 2068 - Pages: 9

Premium Essay

Ewan

...ENRON- A Study of FAILURES Who, How, Why! Arthur Gudikunst, Ph.D. Revised: April, 2003 Professor of Finance Finance Department Bryant College Introduction: The saga of the ENRON Corporation has been unfolding in the media for well over a year. In the span of only three years, ENRON has gone from public and professional acclaim of the company and its senior executives to scorn, infamy and bankruptcy. Its public auditing firm, Arthur Andersen, has basically been destroyed, as well as publicly disgraced. Tens of thousands of employees and investors have been emotionally and financially affected. Major financial services firms in banking, securities brokerage and insurance have been, and may yet be, drawn into the legal battles regarding who is to blame for the ENRON failure. Overview of ENRON: The following timeline for ENRON is presented to set the major milestones for the company: July 1985- Houston Natural Gas merges with InterNorth to form ENRON, as an interstate natural gas pipeline company. Kenneth Lay is CEO. 1989- ENRON starts trading natural gas commodities and commodity derivative financial contracts. 1994- ENRON begins trading electricity as a commodity and related financial derivative contracts. Jeffrey Skilling is executive in charge of this new business venture. Nov. 1999- EnronOnline is launched as a web site for the global trading of energy commodities and derivative contracts. Jeffrey Skilling leads this continued transformation...

Words: 5713 - Pages: 23

Premium Essay

Ewan

...Introduction Computer nowadays is important to all of us specially in our daily lives. We all know that computer is an electronic device used in almost every field even where it is most unexpected. That is why this age is called as the era of IT. And now we cannot imagine a world without computers. It is made up of two things one is the hardware and other is software. All physical components of computer like keyboard, mouse, monitor etc., come under the hardware whereas all the programs and languages used by the computer are called software. These days’ computers are the tools for not only engineers and scientists but also they are being used by millions of people around the world. Computer has become very important nowadays because it is very much accurate, fast and can accomplish many tasks easily. Otherwise to complete those tasks manually much more time is required. It can do very big calculations in just a fraction of a second. Moreover it can store huge amount of data in it. We also get information on different aspects using internet on our computer. Computers in different field are also important just like in BANKS where almost every bank is using computers to keep the record of all the money transaction and other calculations. Moreover it provides speed, convenience and security. COMMUNICATION where it is another important aspect of computer and has become very easy through internet and email. Computer communicates using telephone lines and modems. Through email we can...

Words: 550 - Pages: 3

Premium Essay

Ewan

...Explain the strengths and weaknesses of Natural Law Theory (25 marks) As an absolutist theory, Natural Law is universalisable and proposes objective moral standards. These standards, as they are achieved through reason, are not limited to faith and are not bound by God. This means that the theory is accessible to the non-believer as well. This makes it a more versatile and accessible ethical system. This is a strength as many of the ethical systems including will only work if used by all people and for different reasons theories such as Kant aren’t as versatile meaning this is a more realistic ethical theory for people to use.     Once the Primary Precepts of Preserve Life; Live in Society; Educate the Young; Continue through Reproduction; and Worship God are understood, the theory is very easy to apply and follow.  It is easy to reach conclusions and the theory is quite clear cut in what it believes. However, the theory may come unstuck when one begins picking apart and re-understanding what the precepts mean. This clear cut approach is a strength as the principles are easy to understand and typically would not need to be disputed. One of the flaws of Natural Law theory is the question; do any of the precepts take priority over the others? Does educate the young mean invest in schools? Or encourage independent study? Does preservation of life include abortion and euthanasia? This poses a flaw due to the fact that people will not be sure in terms in conflicts of interested...

Words: 531 - Pages: 3

Free Essay

Ewan

...Hope for the flowers by Trina Paulus The story consists of two main character a male catterpillar named Stripe and the female one named Yellow.It is started when Stripe realized that his life is not just eating leavesand crawling.Herealized that there is something more than doing those thing.So he decided to find out what is really missing in hislife.He left from the place where he was born and try to explore something new.He finds himself from the bottom of apillar.He saw a lots of catterpillar crawling and aiming to reach the top of the pillar.He started to climb just like other catterpillars do.While climbing the pillar he met a woman catterpillar named Yellow.They excahnged different perceptions and opinions in life.They talked about life and the reason why they are here.Ater that , they come up with the decision that they will go down in that pillar and begin a new life.Stripe and Yellow fell in love with each other and they live together eating leaves and crawling.Then one dayStripe realized again that eating lea ves and crawling are not enough.He started again climbing the pillar and left Yellow alone.While climbing the pillar Stripe was dissappointed when he saw that there is nothing special in this pillar but a struggling catterpillars who wants to reach the top.On the other side , Yellow met someone hanging on a branch of a tree , they talked about life of a catterpillar and how it turned into a cocoon.After of their conversation , Yellow realized the true meaning of...

Words: 1716 - Pages: 7

Premium Essay

Ewan

...See how you do on the following questions. The particular page in this tutorial where the answers can be found is below each set of questions. Good luck! 1. What is the difference between the following terms: chromatin, chromosomes, DNA, gene. DNA, CHROMOSOMES AND GENES 2. What is a polynucleotide? 3. Diagram a typical nucleotide and name the three principle parts. COMPOSITION OF NUCLEIC ACIDS 4. Nucleosides differ from nucleotides in what way? 5. There are five Nitrogen bases in nucleic acids. Name them and group them according to their structure. Which of the five bases is found only in RNA and which base does it substitute? 6. Draw a ribose and a deoxyribose sugar side-by-side and highlight what makes them different. Identify the carbon atoms in your diagrams by their proper number. NUCLEOSIDES 7. Summarize the differences between DNA and RNA. NUCLEOTIDES 8. Between what two atoms do ester bonds occur? 9. What types of bonds join individual nucleotides WITHIN a single DNA strand? 10. What does the term "antiparallel" mean when applied to a DNA double helix? Why is this term necessary? 1. Draw a normal ladder and compare it to the structure of DNA. THE STRUCTURE OF NUCLEIC ACID CHAINS 12. What force holds the two halves of the DNA double helix together? 13. Explain what is meant by "Complementary Base Pairing" and don't forget to mention the numbers of hydrogen bonds involved! THE WATSON-CRICK MODEL: BASE PAIRING IN DNA 14. Diagram and explain the Central Dogma...

Words: 624 - Pages: 3

Free Essay

Ewan

...n Pagpapasa ay ang paghahatid ng packets mula sa isang network ngsegment sa iba sa pamamagitan ng nodes sa isang network computer. A lumipat na gumaganap ng packet nagpapasa processing batay sa isang etiketa para sa isang koneksyon sa kung saan ang isangkomunikasyon na landas ay tinukoy sa pamamagitan ng mgalabel, kabilang ang isang pagtanggap ng unit na natatanggap ngloopback impormasyon na may isang label ng isang unang layerna ginagamit para sa packet nagpapasa para sa isang unangkoneksyon, at isang packet unit processing na nagpapadala ngisang unang packet loopback pagkakaroon ng isang packetkabilang ang loopback impormasyon, ang isang label sa mgaunang layer, at ang isang label ng isang pangalawang layer na ginagamit para sa packet nagpapasa para sa isang ikalawangkoneksyon layered sa label ng unang layer, at din nagpapadala ngisang pangalawang packet loopback pagkakaroon ng packetkabilang ang loopback impormasyon at ang mga label ngikalawang layer. Ang pinakasimpleng pagpapasa modelo - unicasting - nagsasangkot ng isang packet pagiging relayed mula sa link sa link na kasama ng isang kadena humahantong mula sa source ang packet's sa kanyang destinasyon. Gayunman, ang iba pang mga pagpapasa ng mga estratehiya ay karaniwang ginagamit.Broadcasting ay nangangailangan ng isang packet na maging Nadoble at ang mga kopya na ipinadala sa maramihang mga link sa mga layunin ng paghahatid ng isang kopya sa bawat aparato sa network. Sa pagsasanay, broadcast packet ay hindi maipasa...

Words: 753 - Pages: 4

Free Essay

Movie Review

...of Transformers, Pearl Harbor and I Am Number Four. A young man Lincoln Six Echo (Ewan McGregor) and a young woman Jordan Two Delta (Scarlett Johansson) live in an underground organization which is full of strict regulations and created by a selfish scientist Dr. Merrick (Sean Bean). They think that one day they will go to the paradise by being the winner of the lottery, which called ‘The Island’. However, Lincoln starts having different dreams which look like his past memories. Dr. Merrick discover the situation of Lincoln and tries to remove his memories in order to keep the huge secret. On the other hands, Dr. Merrick uses a special tunnel to another station secretly. Because of a moth, Lincoln finds that secret tunnel. In this station, Lincoln find that the so call 'winner' of the 'lottery' is only an excuse for the company. In the reality, the 'winner' is used for providing organ and giving birth to their sponsor. Lincoln’s world turns topsy-turvy when he discovers the truth that all of them are just a product of an insurance plan. Afterwards, the screenplay talks about the escape of Lincoln and Jordan. Lincoln and Jordan seek help from James McCord (Steve Buscemi). While they are find their sponsor in Los Angeles, Dr. Merrick hires mercenary, Albert Laurent (Djimon Hounsou) to hunt them down. A young model Sarah Jordan (Scarlett Johansson) is the sponsor of Jordan and Tom Lincoln (Ewan McGregor) is the sponsor of Lincoln, they start to explain their situation to Lincoln...

Words: 706 - Pages: 3

Free Essay

Motorcycles

...What is the motorcycle? It is a single-track, two-wheeled motor vehicle powered by an engine. In simple words – bicycle with engine. Their styles could depend on their usage whether is for long distance traveling, cruising, sports or racing. There are many manufacturers around the world who make motorcycles but let’s focus on most significant ones. We can focus on BMW (German), Norton and Triumph (both British) and Vespa (Italian) as well as the situation in the world championship. May be you have watch Star Wars? I guess you know Obi-Wan Kenobi who is the tutor of Anakin Skywalker. The actor who is playing him is Ewan McGregor. He together with his friend Charlie Boorman made a trip with BMW R1150GS Adventure from London to New York and named it Long Way Round. This is the name also of a TV series and best-selling book. The model BMW that they used becomes more popular. Some of the most famous motorcycles at the beginning of the era are Norton and Triumph. The very beginning of Triumph backs us in the late 19th century – 1885 when Siegfried Bettmann who emigrated from Germany to England, Coventry found the company. At that point, the firm was dealing with bicycles and later they started with motorcycles. They received more publicity especially in United States because of a 1950 Thunderbird 6T in the 1953 that was ride by Marlon Brando in The Wild One. But in 1951 the Triumph’s company was sold to BSA. BSA means Birmingham Small Arms Company...

Words: 608 - Pages: 3

Free Essay

Scene Analysis Paper

...When Your Life’s in the Toilet A person is highly influenced by those around them. Everyone always seems to find a niche and stick with the people in that environment, whether it is a good one or not. Danny Boyle’s 1996 film Trainspotting is a story about a man who is trying to quit drugs, specifically heroin, but is stuck with the wrong crowd of people. His mind in constantly in an acid trip and the film shows us what he sees. The scene in the public bathroom in particular stands out and shows the struggles faced by Mark and his need to get clean through a great narrative style, great Mis-en-Scene, and finally sound; all of which carefully reflects what the character is feeling. The scene is set up directly after the opening of the film where the main character, Mark Renton gives a long dialogue and sets out to find one last hit, or drug use, before quitting heroin cold turkey. He is sorely disappointed when his dealer does not give him heroin, but instead sells him opiate suppositories. As he is walking back home, the opiate suppositories have a severe laxative effect and Mark has to run into a public toilet, known as “the worst toilet in Scotland,” to relieve himself. The words “the worst……in Scotland” are non-diegetic; they are not originally on the door. He goes to the bathroom and does his business but then realizes the drugs he put in his rectum had not dissolved and are now in the toilet. His severe need for drugs is shown when he does not hesitate to reach into...

Words: 1491 - Pages: 6