Free Essay

Bible

In:

Submitted By Ethiopia12
Words 1905
Pages 8
* Chapter 1:
Programming, and Java

* A programming language is defined by: * Syntax: grammar to specify how the instructions are written * Semantics: what does the instructions mean

* Languages are divided into three categories: * High-Level language * Assembly language * Machine language

* Part 1: Fundamental Programming Concepts * Primitive data types and operations * Control Statements (Selection and Loops) * Methods * Arrays * Part 2: Object-Oriented Programming * Encapsulation * Inheritance * Polymorphism

Anatomy of a Java Program * class header * main method * Statements * Comments

* In order for a Java program to be executed, the class MUST have a method called main() * The body of any function must be contained in braces { } * Java is case sensitive * Main is not the same as main

* Each Java program has two different types of files: * Source code file (filename.java): * The file in which you declare your class and write your algorithm * Each .java file declares only one class * The file name should be the exact same name as the class name (case sensitive) * Executable file (filename.class): * Automatically generated * Has exact same name as the corresponding .java file but with a different extension * Not human readable

Programming Errors * Syntax Errors * Detected by the compiler * Runtime Errors * Causes the program to abort * Logic Errors * Produces incorrect result

* A variable is declared by: * Variable’s Data Type: (e.g., integer, string) * Variable’s Name: (e.g., sum, price)
Primitive Data Types in Java * byte * 8-bits signed integer * int * 32-bits integer * float * A number with a decimal point: 10.5 or 45.55 * 32-bits * double * A very large number with a decimal point: 123456789.56743 * 64-bits * short * 16-bits signed integer * long * 64-bits signed integer * -9,223,372,036,854,775,808 to +9,223,372,036,854,775,807 * char * One character: ‘A’, ‘B’, ‘X’, or ’*’ * 16-bits * boolean * True or False * Scanner is an object that is used to input a value from the keyboard * Before using any object you need to import the corresponding library import java.util.Scanner; * Remember that the library System.out is included by default in any Java class
Write a program that reads a one-digit number from the user then prints on the screen the digit in letters. For example

int digit; System.out.println(“Enter a single digit number:“); digit = input.nextInt(); if (digit == 0) System.out.println(“ ZERO “); else if (digit==1) System.out.println(“ ONE “); else if (digit==2) System.out.println(“ TWO “); …and so on….. else System.out.println(“ Not a single-digit number“);
Rewriting Example using switch-case

int digit;
System.out.println(“Enter a single digit number”); digit = input.nextInt(); switch(digit) { case 0: System.out.println(“ZERO"); break; case 1: System.out.println(“ONE“); break; case 2: System.out.println(“TWO"); break; …and so on ….. default: System.out.println(“Not a single digit number”); }

int grade;
System.out.println(“Enter a number”); grade = input.nextInt(); switch(grade/10){ case 9: case 10: System.out.println(“A”); break; case 8: System.out.println(“B”); break; case 7: System.out.println(“C”); break; case 6: System.out.println(“D”); break; default: System.out.println(“F”); break; }

• The loop condition is evaluated before the first execution of the loop body:
• The loop body may not be executed at all if the condition is initially evaluated to false
• If the condition evaluates to true, the loop body is executed
• The loop condition is rechecked after each execution of the loop body
• The statement(s) in the loop’s body are re-executed as long as the loop condition is true.
• As soon as the condition evaluates to false, the loop terminates. * There are three structures to express loops in JavaL * The while structure * The do..while structure * The for structure • while structure:
• Checks the condition before the first execution of the loop body.
• The loop body is not executed if the condition is initially FALSE.
• The loop body is executed zero or more times.
• do..while structure:
• Checks the condition after the first execution of the loop body.
• The loop body is executed one or more times.
• We guarantee that the body is executed at least once.
• Write a program that uses a while loop to read the exam grade for a class of 10 students. Your program then calculates and displays the average grade
• int counter = 0;
• int grade;
• int total = 0;
• double average ;
• while ( counter < 10 ){
• System.out.println(“Grade for Student# “ +counter) ;
• grade = input.nextInt() ;
• total = total + grade ;
• counter = counter + 1 ;
• }
• average = (double) total / 10 ;
• System.out.println(“Class average is: “+ average) ;
• If a loop does not contain within itself a way to terminate, it is called An infinite loop
A loop that executes as long as a particular condition exists is called a(n )Conditional loop
A loop that repeats a specific number of times is known as a(n) Count-controlled loop
== The equality relational operator.
< The less than relational operator.
<= The less than or equal relational operator.
> The greater than relational operator.
>= The greater than or equal relational operator.
!= The not equal relational operator.
&& The logical And operator.
|| The logical Or operator.
! The logical Not operator. break A statement that moves program control to the next statement after the current structure. case A clause in the switch statement that contains statements to be executed when the case condition matches the result of the switch expression. if A decision structure that executes a set of statements when a condition is true. if-else A decision structure that executes one set of statements when a condition is true and another set of statements when the condition is false. if-else if A decision structure used to decide among three or more actions.
Math A java.lang class with methods for generating random numbers and performing math functions. switch A decision structure that uses the result of an expression to determine which set of statements to execute.
• Loop
• A group of instructions that a computer executes repeatedly while some condition remains TRUE
• Counter-controlled repetition
• Definite repetition: you know how many times the loop will execute
• A control variable is used to count the repetitions
• Sentinel-controlled repetition
• Indefinite repetition
• Used when the number of repetitions is not known
Sentinel value indicates "end-of-data * Two types of conversions: * Widening conversion: * Convert from one type to another type with larger number of bits * From int to double * Narrowing conversion: * Converting from a data type to a smaller type * From double to int * Some information may be lost * Increment (++): * Adds 1 to its operand * Prefix increment: ++a * Postfix increment: a++ * ++a; is the same as a++; is the same as a = a+1; * Decrement (--): * Subtracts 1 from its operand * Prefix decrement: --a; * Postfix decrement: a- -;
--a; is the same as a--; is the same as a = a- * The postfix and prefix are different only when they are used in an assignment statement * x = a++; is not the same as x = ++a; * x = ++a increments a before its value is assigned to x * x = a++ increments a after its value is assigned to x

Generating Random Numbers * Math.random() is used to generate a random double value between 0.0 and 1.0 excluding 1.0 * To generate an integer between 0 and 9 int num = (int) (Math.random() * 10) * To generate an integer between 0 and 100 int num = (int) (Math.random
Random Question * Given the following declaration, how would you get:
Random rand = new Random(); * A random number between 1 and 100 inclusive? int random1 = rand.nextInt(100) + 1; * A random number between 50 and 100 inclusive? int random2 = rand.nextInt(51) + 50; * A random number between 4 and 17 inclusive? int random3 = rand.nextInt(14) + 4;

* Logical Operators are used to create compound conditions * Three are three logical operators: * || ( logical OR ) * A binary expression formed with || evaluates to 1 (true) if any one of its components is true * && ( logical AND ) * A binary expression formed with && evaluates to true if all of its components are true * ! ( logical NOT, logical negation ) * The unary negation operator ! converts a non-zero operand into 0, and a zero operand in 1. * while loop’s body MUST have a statement that eventually causes the condition to become FALSE * Infinite loop will take place if you don’t provide the loop body with such a statement * Example: int counter = 1; while ( counter <= 10 ) System.out.println( counter ); * This loop will never terminate because counter will never be > 10 because there is no statement to increment counter * This loop will never terminate because counter will never be > 10 because there is no statement to increment counter * Write a program that uses a while loop to read the exam grade for a class of 10 students. Your program then calculates and displays the average grade * Inputs? * exam grades * How many grades? * 10 * outputs? * the average exam grade * int counter = 0; * int grade; * int total = 0; * double average ; * while ( counter < 10 ){ * System.out.println(“Grade for Student# “ +counter) ; * grade = input.nextInt() ; * total = total + grade ; * counter = counter + 1 ; * } * average = (double) total / 10 ; * System.out.println(“Class average is: “+ average) ; * * * Write a program to print the even numbers that are less than 20 * Initialize loop index: * int counter = 2 * Loop continuation test: * counter <= 20 * Step: * Only even numbers are needed, then the step is 2 * counter = counter + 2 for (int counter = 2; counter <= 20; counter=counter+2){ System.out.println( counter );
}
Write a program to find the sum of even numbers less than 100 int sum = 0; //initialize sum for (int number = 2; number <=100 ; number = number +2){ sum = sum + number; } System.out.println(“The sum is ”+ sum); * Write a statement to print the integers from 100 down to 0 (i.e., descending order) for (int counter = 100; counter >= 0; counter = counter - 1){ System.out.println( counter );
}
* Write a for loop to print the following sequence: 100, 90, 80, 70, 60, 50, 40, 30, 20, 10, 0 for (int seqnum = 100; seqnum >= 0; seqnum = seqnum - 10){ System.out.println( seqnum );
}
* * Find the sum of integers from 1 to 10, from 20 to 30, and from 35 to 45, respectively. int sum = 0; for (int i = 1; i <= 10; i++) sum += i;
System.out.println("Sum from 1 to 10 is " + sum); sum = 0; for (int i = 20; i <= 30; i++) sum += i;
System.out.println("Sum from 20 to 30 is " + sum); sum = 0; for (int i = 35; i <= 45; i++) sum += i;
System.out.println("Sum from 35 to 45 is " + sum);

How to use Java API? * Import library import java.util.* * Create an Object Scanner input = new Scanner(System.in); * Method call: int num = input.nextInt() * Math Class

* Class constants: * PI * E * Class methods: * Trigonometric Methods * Exponent Methods * Rounding Methods * min, max, abs, and random Methods
Scanner Class * Sample methods: * next() * nextLine() * nextInt() * nextDouble(); * nextLong() * String Class * Sample methods: * charAt(index) * indexOf(ch) * length() * replace(a,b)
Method Declaration * Method name: * Programmer chooses the method name * Should be selected to indicate the method’s objective * Data type of output: * Specifies the data type of the function’s output * A function can have zero or one output * If zero output: return_value_type is void * If onr output: return_value_type is int, char, double, or float * Input parameters: * A function can have zero or more inputs * A date type must be listed explicitly for each input

Similar Documents

Premium Essay

Bibles

...Corinthians 14:34 states, “Let the women keep silence in the churches: for it is not permitted unto them to speak; but let them be in subjection, as also saith the law” (Holy Bible, King James Edition). Edith Hamilton, regarded as one of history’s greatest female classists, says that the Bible is the only book before our century that looked to women as human beings, no better nor worse than men (Tanner). However, it cannot be said that this book was consistently favorable to women. Maybe not absolutely, but conditionally in personal opinion, the Bible shows numerous examples of a woman’s inferiority to men, an assessment that has been translated into the cultures of generations. In this essay I will address briefly instances in the bible pertaining to women, and continue on with thoughts on how I believe these notions have been interpreted into society. Interpretations of the Bible are influential to our society because in the United States, approximately eighty-three percent of the population is Christian, according to a poll performed by ABC News. Perhaps the Bible is written w... ... middle of paper ... ...tanton). Jesus Christ, being a reformer, should have improved the status of women with his message of love and acceptance. However, there is no denying that the stigma is carried with women into the present day. Women’s position in society can be greatly attributed to their depiction in religious text. Holy word is still a factor in making women more susceptible...

Words: 279 - Pages: 2

Premium Essay

Bible

...the text that will help you understand the text itself.” (Duval & Hayes, pg. 51). Historical-cultural context is extremely important when reading God’s word. When people approach the Bible without care for the context it can lead to misunderstanding of the text. The Bible is so important that we as Christians should not want this to happen. Some ways that we can understand the historical- cultural context is by paying attention to the biblical writer and also the audience which it is written to. By learning about the writer and audience it will give you a better understanding of the history behind the passages. A few more examples of things to look out for in each passage are religion, politics, where it takes place, family life, and social acceptable/ no acceptable customs. If we take the time to understand the context, we will more fully grasp the resemblance to our everyday lives. However, not understanding all these different factors will lead to misunderstanding and misinterpreting information that God wants us to understand. The culture which the bible was written in was different than the culture we live in now. This can make it easy to mix up the meaning of specific verses or passages. Easy ways to look up the specifics of Historical- cultural context is by using Bible atlases, Bible dictionaries/ encyclopedias, commentaries, background commentaries, Old and New Testament histories, and special studies on ancient life and culture. Before trusting all of the information...

Words: 339 - Pages: 2

Premium Essay

Bible

...navigation, search For other uses, see Bible (disambiguation). The Gutenberg Bible, the first printed Bible Page semi-protected Part of a series on The Bible The Malmesbury Bible Canons · Books [show] Authorship · Development [show] Translations · Manuscripts [show] Biblical studies[show] Interpretation[show] Perspectives[show] Wikipedia book Bible book Portal icon Bible portal v · t · e The Bible (from Koine Greek τὰ βιβλία, tà biblía, "the books") is a canonical collection of texts sacred in Judaism and Christianity. There is no single "Bible" and many Bibles with varying contents exist.[1] The term Bible is shared between Judaism and Christianity, although the contents of each of their collections of canonical texts is not the same. Different religious groups include different books within their Biblical canons, in different orders, and sometimes divide or combine books, or incorporate additional material into canonical books. The Hebrew Bible, or Tanakh, contains twenty-four books divided into three parts: the five books of the Torah ("teaching" or "law"), the Nevi'im ("prophets"), and the Ketuvim ("writings"). Christian Bibles range from the sixty-six books of the Protestant...

Words: 1275 - Pages: 6

Premium Essay

Bible

...How does the adoption of Christianity affect Western Culture? In what ways do we see this reflected in art and writing?” The Bible has had a major impact on history especially western culture. The bible became the central piece of western culture. Not only was the bible the central document for worship it was the rule of faith for morale guide and anchor for ethical and religious stability. The bible has shaped not only religious thought, but politics, education, art, music, literature, and language. The Bible is the basis for faith and practice of Christians around the world. Second Timothy 3:16-17 describes scripture as being inspired. All scripture is inspired by God and is useful for teaching, for correction, and for training in righteousness, so that everyone who belongs to God may be proficient, equipped for every good work. A Christian education aids us the “covenant” child to understand the relationship between what we learn in academics and the real world to help us as Christian to disciple and govern the world thinking their thoughts after God. A Christian education helps parents to fulfill their covenantal duty to their children. What does the Bible say about politics? According to Roman 13:1-7 it say everyone must submit to the governing authorities, for there is no authority except from God, and those that exist are instituted by God. So then, the one who resists the authority is opposing God's ...

Words: 1075 - Pages: 5

Premium Essay

Bible

...WHY DOES GOD LET THE RIGHTEOUS SUFFER? WHY DOES GOD LET THE RIGHTEOUS SUFFER? God puts the righteous people through tough times because he wants to test our faith, and make us stronger from them. God also wants us to rely fully on him for his help, and guidance through trials. If God didn’t put us through hard times we would not rely on him for anything and spend time praying and reading our bible as much because our life is too good. When God puts a trial in our lives he will always give us a way out. In the book of Job God test job over and over again by letting satin killing his seven sons and three daughters, burning his sheep and servants, taking away hi camels, giving him painful boils from head to toe, a nagging wife, and three discouraging friends. Job refuses to curse God because he knows that it will make him stronger, and improve his relationship with God. Job trusted God even through the hard times. God rewards job by doubling everything that job had lost. Sometime we feel like God is not there for us when we go through a tough time, but in the bible God promises never to leave us or forsake us…and he NEVER will! Sometimes God puts us through hard times because he wants us to be an encouragement to the people who may be going through that same thing. We need to remember that God has a perfect plan for us even though we don’t understand it. This is why God lets the Righteous suffer. ...

Words: 272 - Pages: 2

Free Essay

Bible

...Reading the bible is an important part of religion but when you read the bible it is also important to understand and interpret the true meaning. Stated in the text by Hays and Duvall "we would go so far as to say that the most important principle of biblical interpretation is that context determines meaning." What they’re trying to say is that one needs to consider not only the context of the writing but to also consider what point is trying to be made. Say if you were reading a children’s book but only paid attention to the pictures not the words, could you get a totally different story from what was being told? This is the same when you only pay attention to context and don’t consider the literary genre. I think it is always important to understand any text you read but the bible is really important to read and Hays and Duvall agree with this quote “misreading the bible ultimately hurts people by enslaving them rather than setting them free with truth.” Most people look to the bible to answer questions when they need help and if they don’t understand the true meaning of the passage they believe to help them they could do the wrong thing and then blame the bible due to their own misinterpretation. And this could be what Hays and Duvall mean by “enslaving them rather than setting them free.” Topical preaching can be valid when the various passages are understood in context and the overall message doesn’t violate those individual contexts (Duvall & hays, 2008). On...

Words: 344 - Pages: 2

Premium Essay

Bible

...The Bible is a television miniseries based on the Bible. It was produced by Roma Downey and Mark Burnett[2][3] and was broadcast weekly between March 3 and March 31, 2013 on History channel.[4] It has since been adapted for release to theaters as a feature film (138 minutes), the 2014 American epic biblical drama Son of God. Burnett, best known for producing prime-time hit reality shows, considers the scripted 10-hour series to be the "most important" project he has undertaken. The project was conceived by Burnett and Downey, who are married, after watching Cecil B. DeMille's version of The Ten Commandments for the first time since childhood. The series is Mark Burnett's first scripted project.[5] In addition to Burnett and Downey, executive producers include Richard Bedser and History's Dirk Hoogstra and Julian P. Hobbs.[6] The first episode of the mini-series was seen by 13.1 million viewers, the largest cable television audience of 2013 to date.[7] The second installment continued "to deliver blockbuster ratings" for the network, attracting 10.8 million viewers. The third installment on March 17, 2013 was once again the No. 1 show on all of Sunday night television with 10.9 million total viewers. In addition, the series garnered 4.2 million adults 25–54 and 3.5 million adults 18–49.[8] In total, with subsequent airings, 'The Bible' has received more than 100 million cumulative views.[9] The series received three Emmy Award nominations for best miniseries, and sound editing...

Words: 305 - Pages: 2

Free Essay

Bible

...Literary styles used in the Bible Name Date of Submission Even though the Bible is a religious text, it is also a literary masterpiece, which uses various literary styles in the presentation of its content. As a library of books, each book in the Bible has a style of writing, which enhances the effectiveness of the message to the readers (Tanzer, 2012). The following chart offers a direct comparison by showing the difference in style of writing and content between a psalm and a passage in 2 Kings. Historical Narrative in 2 Kings | Poetry in Psalms | The book uses historical narratives as a style of writing. Its main content is a continuation of the history in 1 Kings. The history opens with the translation of Elijah into Heaven, and ends with the story of ungodly Jews moving to Babylon (Tanzer, 2012). Chapter One of 2 Kings sets the record of its documentation of what happened in the past, appearing in prosaic style. This passage assumes that its contents are the actual records of what transpired, and does not give much room for evaluation (Wilt, 2014). | Chapter One, just like the entire books of Psalms employs the poetic style in the presentation of its contents. The content is presented in the form of a poem, which gives the book a distinct structure. Unlike in Chapter One of 2 Kings, characterized by narration, there is an element of meter, alphabetic matching, as well as rhythm in the book of Psalms. Furthermore, there is a sense of hyperbole and fantasy in...

Words: 393 - Pages: 2

Premium Essay

Bible

...Unlike the narratives of women in the Old Testament, whose role are almost surrounding conceiving and giving birth, the New Testament sets up a distinct account of women role-followers of Jesus’ ministry. What can we assume from the Gospels is the prominence of women in the journey of Jesus’ preachment. Though subordinated to other disciples and mentioned little in the text, Mary Magdalene is the one singling out who exemplifies the worship of Jesus in sprit and truth and her loyalty to the savior even outshines some male followers. Edith Deen’s in his All of The Women of The Bible says, “Her faith is a monument to the healing power of Jesus. Her action in serving him and ministering to him when the mob had turned against him is characteristic of woman in Bible history at her best.” Despite the danger and threat when Jesus was accused by Jewry, Mary and other female followers still keep advocating and trusting in Jesus and their commitment to Jesus are so deep inside their hearts than any other disciples, which we can observe from the critical events of Jesus’ death, burial and resurrection. Who was actually witnessing all the events taking place and not leaving? Not the male disciples but precisely the women followers. At the time when they found out Jesus’ body were removed from the tomb, who did return first, no the women but Jesus’ beloved male followers. As we can presume, those women followers sincerely conform to Jesus and trust what he stresses, “I did not say these...

Words: 1255 - Pages: 6

Premium Essay

Bible

...worth 10%. Be sure to apportion your time accordingly. 1. To whom do the terms “messiah” and “son of God” first refer in the Bible? Where (book and chapter) would you find the stories about the first individuals to hold those titles? To what extent do these titles have the same meaning in the gospels as they have in the Hebrew Bible? (30% of exam) Messiah is a Hebrew word. It means to be anointed- the king. In David, the word Messiah means the son of God was first used in the story of the descendants. Saul was referred as a Messiah by Samuel in Samuel 1but he failed to please God and David was the one who was Messiah and even God favored him. In the New Testament: all the gospels like in Mark1:1, Mathew, 1:1, Jesus, were referred as Son of God and even Messiah. Peter also addresses to the crowd after Jesus’ death that Jesus, the crucified person was the King- the Messiah, who protected the people of Israel which was the Christianity message indeed. The son of god means in Hebrew bible that someone who is the King, basically the king of Israel and who is faithful to God. In the New Testament, Jesus was referred as Son of God as he used to do miracles by curing the sick and possessed. Jesus was the king of Jews. He proved this by sacrificing his life and forgiving all the sins of the people. Messiah mean anointed one, in Hebrew bible, Messiahs were priests and the kings like David was referred as Messiah and even son of God and even Cyrus was referred too. But...

Words: 1020 - Pages: 5

Premium Essay

Bible

...Old Testament Bible Dictionary Project: Deuteronomy The book of Deuteronomy was authored by Moses and contains three speeches by him which include the “Song of Moses, the blessing fo Moses and the transition of leadership to Joshua.” Ed Hindson & Elmer L. Towns, Illustrated Bible Survey 81 (2013) As the final book of the Law, Deuteronomy completes the Torah scrolls written around “1405 BC at the end of the wilderness wanderings.” Hindson & Towns, supra 83 Within Deuteronomy there are some “narrative material” as well as “legal material,” but it is primarily of a “sermonic” writing of the law. Deuteronomy is divided into three divisions of past, preset and future where the beginning tells Israel’s history proceeding to the present where Israel’s laws are recorded into principles, priorities and practice. In the end the writings conclude with Israel’s destiny where their covenant was ratified and community was prepared. “Moses begins with his first sermon as a covenant renewal for the second generation who were born of the wilderness.” Hindson & Towns, supra 85 Through the recording of Israel’s laws, Moses’ second sermon “articulates the covenant law and its application.” Hindson & Towns, supra 85 The principles speak of loving God, which emphasizes a “matter of the heart.” Loving God was not just a ritual nor was it required, but it was and still is of “spiritual devotion” that would ultimately result in giving the “Israelites the land of Canaan...

Words: 1130 - Pages: 5

Premium Essay

Bible

...Academia Adventista del Oeste Is Jesus really just a copy of pagan myths? Andres D. Laboy Bible Class September 2, 2015 Introduction A lot of people criticize the Bible, Jesus and Christians, they speak blasphemies and every one of those people are wrong. I’ll be here saying what I think of the video, I’ll do it because it’s sad that they don’t accept the truth and look for other things. They twist things around. Body So is Jesus really just a copy of pagan Myths? No, of course not, Jesus is the real thing. There is history, there is proof that he existed. Pagan myths are myths for a reason. Myths aren’t real. People relate Jesus with pagan myths because they are similar but they aren’t accurate, they are not real. Like one of the pagan gods that people relate to Jesus is Krishna. The myth goes that Krishna was born of a virgin, but her parents had children before her and so the myth goes on. These myths just contradict themselves and different cultures have different views of them. Not like Jesus, Jesus is seen like himself, like a true person. Another pagan god that is similarised with Jesus is Horus. Saying that Horus has the same story, that he was born from a virgin and was baptized. That he became savior of humanity. Horus story maybe similar to Jesus but, its just not real; again myths are myths for as reason. There isn’t any proof he actually existed, there isn’t any actual evidence, but Jesus does. Historians...

Words: 364 - Pages: 2

Premium Essay

Bible

...You will be known as u were known. In heaven. Wife or family covered by the family that is saved. The saved wife can sanctify the husband or the saved husband can sanctify the wife. So that your children can be sanctified. Children who have not yet came to the age of accountability. Vision of this church within 5 years Drawing up 1700square ft family life center fellowship hall etc we want to open it to all people . Open on Saturdays after school IrEyes on additional land and property hutch may make a great youth chapel D What is your favorite color? Red What is the most embarrassing moment in your life? Marrying a couple this guy was marrying this girl. It was outside under a canopy under the park. Divorced a lady named angel . New ladies name was Amy. Pastor mistaking called the lady angel. Pastor preaching. Ask lord to send a breeze. Pastor split pants. At my school I have a lot of friends that are homosexuals will they go to hell. Yes. For they shall leave father and mother and cling to his wife. God can deliver a homosexual. Any type of sin shall not enter into heaven. Homosexual changes Gods word into a lie and it is against nature or natural affection. How would u witness to them? Without them getting offended? Society has lied to them. National organization of women . Women became liberated. Minds sets have Ben changed. Love them and hate what they do. Stand against the sin. If they know that they are accepted that is what they...

Words: 900 - Pages: 4

Free Essay

Bible

...The Importance of the Six Days of Creation 1. What is the Relationship of man Adam to the other things found in the creation? In the bible, the Six days of Creation was very significant because God created man on the sixth day. God wanted this man he created to be a dominion over the fish, cattle and birds by having a slight power over them. However, with this being said, all of these creations would be very important to our world and God. He also included man which was created in the image of God and then furthermore into male and female that would soon be multiplied to more people over time. He created man and blessed them with the relationship of all of his creations of food, light, water, animals, etc. to be given to man. Overall, the relationship of man Adam and all of God’s creation are all very similar due to the fact that the first five creations lead up to man. Also, all of the first five creations are a significant piece of the six creation, man because all of these are beneficial and a part of man. 2. What is the relationship of god to the creation of the created world? God is a personal being and reveals all his truth, forgiveness, and grace to all creations. God’s creation of the World is very significant to his creations and the Sabbath through creating light verse dark, waters, waters under the heavens, separation between day and night, living creatures and finally man before he completed his creations. All of these show a great relationship to God because...

Words: 346 - Pages: 2

Free Essay

Bible

...Moses Moses is most remembered for 3 major events of his life: the first being found in the Nile River as an Infant, splitting the sea in two for him and his army to run through and the third being his staff, one which turned into a snake when thrown on the floor. Moses was responsible for having written Genesis and delivering the word of God to his people. To begin with, Moses was said to be born around 1400 B.C.E. in Egypt, specially in the Land of Goshen. When Moses was an infant, the Pharaoh of Egypt announced that no more male children should be allowed to live. The reason being was that he feared the population was growing far too rapidly and worried that his authority would be overpowered. Because of this, Moses mother did not want to risk Moses’ life so she put him in a woven basket and placed him to float amongst the waters of the Nile River. Ironically, Moses was founded by the Princess, who happened to be the Pharaoh’s daughter. God spoke to Moses through a bush, which was on fire but did not burn, demanding him, along with Aaron as a spokesman, to persuade and lead the Hebrews out of Egypt into the Promised Land of Abraham: Israel. The Pharaoh however was not okay with Moses leading his people out of slavery. He then sent his army after Moses and his people, but by the grace of God, he split the Red Sea letting Moses and his people through while sea collapsed over the Pharaoh’s army, drowning them to defeat. This infamous story is one of Moses’ greatest victories...

Words: 889 - Pages: 4