Free Essay

Pmbok Slide

In:

Submitted By rahmayezi
Words 1109
Pages 5
TUGAS PERSONAL
PROGRAM STUDI SISTEM INFORMASI
BINUS UNIVERSITY

[pic]

ALGORITHM AND PROGRAMMING

15 Juni 2015

RAHMAYEZI EDWAR
1801490330

Bina Nusantara University
Jakarta

Tugas Personal ke-1
Minggu 2

Review Questions: 1. Java source filename extension is “.java”, and the Java bytecode filename extension is ".class" 2. Java is case sensitive? Java distinguish between uppercase and lowercase. The case for Java keywords, such as "String", “string”, "Int", “int”, etc, are different. 3. There is no effect on runtime performance between: a. Import java.util.Scanner; b. Import java.util.*; The facts are: • There is no runtime cost from using an import statement • The compilation process can take a little more time with an import statement • The compilation process can take even more time with a wildcard import statement • For improved readability, wildcard import statements are bad practice for anything but throwaway classes • The compilation overhead of non-wildcard import statements are minor, but they give readability benefits so best practice is to use them 4. Pseudo-code and flowchart to create: a. an algorithm to calculate a triangle area [pic]

b. an algorithm to change second into hour and minute unit [pic]

5. Describe and give example for each method of String a. contains The java string contains() method searches the sequence of characters in this string. It returns true if sequence of char values are found in this string otherwise returns false. e.g. [pic] b. concat The java string concat() method combines specified string at the end of this string. It returns combined string. It is like appending another string. e.g: [pic] c. compareTo The java string compareTo() method compares the given string with current string lexicographically. It returns positive number, negative number or 0. e.g: [pic] d. format The java string format() method returns the formatted string by given locale, format and arguments. e.g. [pic] e. charAt The java string charAt() method returns a char value at the given index number. The index number starts from 0 e.g. [pic] f. replace The java string replace() method returns a string replacing all the old char or CharSequence to new char or CharSequence. e.g [pic] g. substring The java string substring() method returns a part of the string. e.g: [pic] h. trim The java string trim() method eliminates leading and trailing spaces. The unicode value of space character is '\u0020'. The trim() method in java string checks this unicode value before and after the string, if it exists then removes the spaces and returns the omitted string. e.g: [pic] i. toCharArray The java string toCharArray() method converts this string into character array. It returns a newly created character array, its length is similar to this string and its contents are initialized with the characters of this string. e.g: [pic] j. split The java string split() method splits this string against given regular expression and returns a char array. e.g: [pic] k. toLowerCase The java string toLowerCase() method returns the string in lowercase letter. In other words, it converts all characters of the string into lower case letter. e.g [pic] l. toUpperCase The java string toUpperCase() method returns the string in uppercase letter. In other words, it converts all characters of the string into upper case letter. e.g: [pic]

Programming Exercise: Program untuk mempelajari tipe data dalam pemrograman Java, dengan menggunakan beberapa ketentuan seperti ini: 1. Pada awal program, user akan diminta untuk: ▪ Memasukkan tipe data Boolean, user diminta untuk memasukkan “true” atau “false” ▪ Memasukkan tipe data int, user diminta untuk memasukkan bilangan bulat ▪ Memasukkan tipe data Double, user diminta untuk memasukkan bilangan decimal ▪ Memasukkan tipe data String, user diminta untuk memasukkan kata atau kalimat 2. Kemudian semua hasil yang dimasukkan user, akan ditampilkan pada akhir program.
Programnya adalah sebagai berikut:
[pic]

References: http://www.javaperformancetuning.com/news/qotm031.shtml http://www.javatpoint.com/methods-of-string-class

-----------------------
Set float a, b, c, s, area;
Scan a, b, c; s = (a+b+c)/2; area = sqrt (s*(s-a)*(s-b)*(s-c)); print area;

Begin

Read a, b, c

s = (a+b+c)/2; area = sqrt (s*(s-a)*(s-b)*(s-c));

print area

End

Set int s, ss, m, h;
Scan ss; s = Mod (ss, 60); m = Mod ((T/60), 60) h = (T/(60*60)); print h + m + s;

Begin

Read ss

s = Mod (ss, 60); m = Mod ((T/60), 60) h = (T/(60*60));

print area

End

1. class ContainsEzi{ 2. public static void main(String args[]){ 3. String name="Rahmayezi Edwar"; 4. System.out.println(name.contains("do you know me")); 5. System.out.println(name.contains("about me")); 6. System.out.println(name.contains("hello")); 7. }}

1. public class ConcatEzi{ 2. public static void main(String args[]){ 3. String s1="java string"; 4. s1.concat("is immutable"); 5. System.out.println(s1); 6. s1=s1.concat(" is immutable so assign it explicitly"); 7. System.out.println(s1); 8. }}

1. public class LastIndexOfEzi{ 2. public static void main(String args[]){ 3. String s1="hello"; 4. String s2="hello"; 5. String s3="meklo"; 6. String s4="hemlo"; 7. System.out.println(s1.compareTo(s2)); 8. System.out.println(s1.compareTo(s3)); 9. System.out.println(s1.compareTo(s4)); 10. }}

1. public class FormatEzi{ 2. public static void main(String args[]){ 3. String name="sonoo"; 4. String sf1=String.format("name is %s",name); 5. String sf2=String.format("value is %f",32.33434); 6. String sf3=String.format("value is %32.12f",32.33434);//returns 12 char fractional part filling with 0 7. 8. System.out.println(sf1); 9. System.out.println(sf2); System.out.println(sf3); }}

1. public class CharAtEzi{ 2. public static void main(String args[]){ 3. String name="javatpoint"; 4. char ch=name.charAt(4);//returns the char value at the 4th index 5. System.out.println(ch); 6. }}

1. public class ReplaceEzi{ 2. public static void main(String args[]){ 3. String s1="javatpoint is a very good website"; 4. String replaceString=s1.replace('a','e');//replaces all occurrences of 'a' to 'e' 5. System.out.println(replaceString); 6. }}

1. public class SubstringEzi{ 2. public static void main(String args[]){ 3. String s1="javatpoint"; 4. System.out.println(s1.substring(2,4));//returns va 5. System.out.println(s1.substring(2));//returns vatpoint 6. }}

1. public class StringTrimEzi{ 2. public static void main(String args[]){ 3. String s1=" hello string "; 4. System.out.println(s1+"javatpoint");//without trim() 5. System.out.println(s1.trim()+"javatpoint");//with trim() 6. }}

1. public class StringToCharArrayEzi{ 2. public static void main(String args[]){ 3. String s1="hello"; 4. char[] ch=s1.toCharArray(); 5. for(int i=0;i

Similar Documents

Free Essay

Computer

...Hardware and software COMPUTERS 1   Computers ENIAC – 1950 2   What is a computer?  A  data  processing  device   designed  to:   }  input  …   }  data  (e.g.  mp3  3ile)   }  software  (e.g.,  iTunes)     }  process  data  by   applying  software   }  output  results   }  store  data  /  program  /   results  between  uses   Apple II – 1977 3   Computer hardware Storage Nonvolatile Non-portable (hard disk) Portable (e.g. CD) Battery Wall plug RAM (Random Access Memory) Volatile Power Source Mouse Keyboard Tablet Input Microphone Devices Webcam Accelerometer Central Central Processing Processing Units Units (cores) (cores) Monitor Printer Output Plotter Devices Projector Input Processing Output 4 Components of a computer }  Hardware   }  CPU    (Central   Processor  Unit):       }  I/O  devices     (Input  /  Output)   }  Storage   }  Power  source     }  Software   }  Operating  System   }  Applications   Is it a computer? Universal computation }  A  processor  with  the  right  software  can  emulate   any  other  data  processing  device   }  E.g.,  a  smartphone  can  be  a  music  player,   translator,  calculator,    GPS  navigator,...

Words: 2444 - Pages: 10

Premium Essay

Ghost Ghost

...How to Find Specific Journal Articles: (by Mark James) This is a step-by-step guide to finding specific research articles that you have been given the complete reference for (e.g. for seminar readings listed on Moodle, or for articles cited in lectures). To find articles when you do not have a full reference for (e.g. when you’re looking for research on a topic/theory/model generally) please refer to the slide “Finding Sources” of the Study Skills slides provided on Moodle. All seminar readings are available to download via the University of Kent library website using the following steps. Example - how to find: Poropat, A.E. (2009). A meta-analytic analysis of the five-factor model of personality and academic performance. Psychological Bulletin, 135 (2), 322-38. Step 1: Go to http://www.kent.ac.uk/library/ - click ‘Search for journals” and enter title of the journal (e.g. Psychological Bulletin) here: Step 2: Click on one of the search results: Some journals are accessible through multiple providers (e.g. PsycARTICLES, Academic Search Complete, Wiley-Blackwell Full Collection), with varying levels of access. Check the date of the article you’re searching for was published and select a provider which holds the journal published that year. Step 3: A new window will pop up, and you will be asked to input your Kent username and password. Once provided you will be taken to the journal providers website. Select the year the reading was published (e.g. 2009)...

Words: 289 - Pages: 2

Free Essay

Bullsh*T

...request, I attended a seminar about the use of PowerPoint in business presentations. You suggested that there might be tips that I would learn that we could share with other staff members, many of whom make presentations that almost always include PowerPoint. The speaker, Gary Dixon, made some very good points on the subject of PowerPoint. There were several points of an important nature that are useful in avoiding what he called a “PowerPoint slumber party.” Our staff members should give consideration to the following: Create first the message, not the slide. Only after preparing the entire script should you think about how to make an illustration of it. You should prepare slides with short lines. Your slides should have only four to six words per line. Short lines act as an encouragement to people to listen to you and not read the slide. Don't put each and every thing on the slide. If you put too much on the slide, your audience will be reading Item C while you are still talking about Item A. As a last and final point, she suggested that presenters think in terms of headlines. What is the main point? What does it mean to the audience? Please let me know whether you want me to elaborate and expand on these presentation techniques subsequent to the next staff meeting. Your Name [Your contact information] * I would change that phrase to as you requested * I would take that phrase out; it’s a redundant phrase....

Words: 283 - Pages: 2

Free Essay

Edu 695 Week 2 Dq 2 Common Core Presentation New

...and focuses on academic achievement. As needed, review the Hunt Institute video below (click this link to view the video transcript), which covers the history and development of the CCSS. For this discussion, you will adopt the role of a school leader and create a digital presentation using the software of your choice (e.g., PowerPoint, Present.me, YouTube, Prezi, Jing, SlideRocket, or another program). Your audience for this presentation can be either a school board or a stakeholder directly in the school setting, such as teachers, other staff, or students. If you use software other than PowerPoint, submit notes for each slide as part of your post. If you use PowerPoint, be sure to include notes for each talking point on slides in the notes section for each slide. The presentation needs to be six to eight slides, excluding the title and references slides, and cite at least one scholarly source in addition to the required resources for this week. Ensure that your presentation: •    Explains the purpose of CCSS. •    Explains how the CCSS are used within a school for teaching and learning. •    Justifies why...

Words: 479 - Pages: 2

Free Essay

Scenarios

...this issue would be to briefly read over with her the basic guidelines and instructions for creating a PowerPoint presentation, such as how to select a theme, insert data and pictures and anything else I feel she would need to know. I would try to avoid overloading her with anything I think she may not need to deal with at the time. If I have further trouble understanding any issues she has I would suggest that we try to start from the beginning and try to take her through the process step by step and from there figure out the best process for her to create this project. Once we figured out what she wants then I would go back to trying to take her through the basic process of creating a presentation, advising her how to create a slide, edit slides, and how to add in pictures and video’s as well as graphs for her statistics. If we had further issues with her understanding my instructions then I would recommend to the customer to review any online how-to steps for creating a presentation. There are many forms of help available for the customer to review and look at which is sometimes much easier than having someone tell you over the...

Words: 276 - Pages: 2

Free Essay

Business Plan Document

...Plaza, flyers, trainers (for the Bruin plaza day), free snacks, apparel 1. App mock-up 2. Who are partners vs. customers (do we have both?) Updates to presentation: * More photos - high quality (get a shutterstock subscription?) * Facebook, linkedIn, googleplus accounts * Make numbers stand out * Get a logo * Beginning of presentation * Start with photo and no logo and begin to tell story * Then show a number slide that explains a problem that our market faces * Show SpotMe slide - the solution to the above problem and explain what it is * Add citations like 30001 * 1 what does the number 3000 mean, what is the source * put actual website source in appendix * Remove numbers about how much money was invested in health apps * Instead quantify the benefits of using an app like SpotMe i.e. the health benefits and compare that to how much it costs $5 * divvy up bullet points/numbers to different slides * currently there is too much text on the slides * MAKE THE BULLET POINTS MEAN SOMETHING → working out 200% more what does that mean * 53% not 52.8% * remove circle graph * who else is out there? how do we differentiate from them? * price of app $5 which is less than 1% of tuition paid and with this app you change your life * what are our customer acquisition costs? * add citations Good Things That We Have: * Great story/opening! Extras: *...

Words: 420 - Pages: 2

Free Essay

Title

...from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 7. from slide 51 8. from slide 831. from slide 7 2. from slide 11 3. from slide 30 4. from slide 31 5. slides 48,49 6. from slide 51 ...

Words: 1737 - Pages: 7

Free Essay

Strategy Case Methodology

...PLAY A ROLE (investors, etc.) - a speaker presents the group ( one speaker for the introduction and conclusion, one slide dispenser, and experts). - present the company: its activity, the domestic and international markets (diagrams, drawings, illustrations) NB: Slides must be with the logo, and number of the page, easy reading, few information. TRANSITION: Now, “WE ARE GOING” to speak about “KEY ISSUES”. (SPEAKER ALREADY STOOD UP) MOVEMENT, TRANSITION IN-BETWEEN EXPERTS : first speaker go to the right, second speaker arrives by the left (rotate in the direction of clockwise) 2- KEY ISSUES AND SUB ISSUES WITH LINK BETWEEN: TEAM EVALUATION : definition of key issues for sula vineyard case was too late, no subquestion, contextual information is confusion, illegible slide : A | NEW SPEAKER * Main question and sub issues (clear and catchy) ordered according to what is crucial : * STAKES AND FORESSEEN DIFFICULTIES * MAIN ISSUES AND SUB ISSUES : * ORDERED, * with PERSPECTIVE i.e. environnement, stakeholders, chronology. * With CONTEXT : landmarks, limits, incompatibilities, contradictions. * Revealing and showing LINKS BETWEEN THEM (causes and effects; consequences). TRANSITION : we are going to talk about the agenda. 3- PLAN ANNOUNCEMENT * Agenda with meaningful tittles (with speaker for each tittles) SLIDE TRANSITION 4- DIAGNOSIS/ ANALYSIS: TEAM EVALUATION Quantitative/quantitative, ability to generate ideas...

Words: 606 - Pages: 3

Free Essay

Paper

...(ET) on Monday of Module/Week 1. Each slide must include a title and a slide transition. Add a slide number to each slide, and proofread your slides carefully for errors in spelling and grammar. Remember, overall appearance counts! Name the file Introduction StudentLastName StudentFirstName.pptx Slide 1 – Title slide. Include your name and a recent picture. Select a theme for your presentation. Slide 2 – Information about you. Include the following: * Where you live * A current phone number where you can be reached * Your major * Online or Resident student? Full or part time? * The type of work that you do * Add a shape, clip art, or picture to your slide Slide 3 – Your Family. Create a family tree using the SmartArt Hierarchy layout. Lay the diagram out in such a way that it makes sense for your family. You can show your family of origin or your spouse/children. Show as much or as little detail as is appropriate. Fill in the blocks with names. Add a shape, clip art, or picture to your slide. Slide 4 – Favorite Things. Create a table and display some of your things – hobbies, foods, vacation spots, etc. Add a shape, clip art, or picture to your slide. Slide 5 – Favorite Bible Verse. Choose one verse or short passage that has blessed you. List the reference in your slide and include a sentence or two explaining why you chose this verse. Add a shape, clip art, or picture to your slide. Slide 6 – Integrity. Look up three verses on integrity...

Words: 380 - Pages: 2

Free Essay

Social Issues

...SLIDESHOW BIZ (Slide Presentations) Name of FS Student: Thelma Lopezon FS Teacher: I. DC. Reyes Course: BSED Year: IV Resource Teacher: Ms. Melody Mendoza Signature: _____________________ Cooperating School: A.F.G. Bernanardino Memorial Trade School Name of the School Observed: A.F.G. Bernanardino Memorial Trade School | Location of the School:Lias, Marilao, Bulacan | Date of Visit: | Enhancements (Check appropriate box) Graphics Music Hyperlink Animation Voice Narration Others, please Sound effects Stylish fonts Description of appropriate use: Subject: EnglishTopic: Basic parts of Newspaper | Presentation Storyboard: | Slide 1 | Slide 2 | Slide 3 | Slide 4 | Slide 5 | Slide 6 | Slide 7 | Slide 8 | Slide 9 | Slide 10 | Slide 11 | Slide 12 | Signature of Evaluator over Printed Name: | Thelma Lopezon | My Analysis Give at least three benefits of doing a survey of available materials before making your own materials. Explain each. What are the good features of a slide presentation? * Include transitions or effects in the slides to put emphasis on your point, but too many. * Use the same design. * Use special transitions.   * Presentation should not be too long. * Use music for the...

Words: 341 - Pages: 2

Free Essay

How Does It Work

...BIG IDEA PRESENTATION SUGGESTED POWER POINT SLIDES There should be approximately six Power Point slides per presentation. 1) Intro Slide: Business Concept name, Team members’ names (first & last) Date 2) Statement of the Big Idea (simple product description): In as few words as possible, define your product idea (e.g., Wrenchead.com sells auto parts to consumers and professionals over the Internet.) 3) Product Description You can add more detail about your product: F.I.S.T. What differentiates your idea from the competition (e.g., odd-numbered mismatched socks, chauffer service that gets you and your car home safely, ice cream shaped like a hot dog that can be accessorized)? Paint a picture of how and why customers will be attracted to your product. 4) Value Proposition Highlight what benefits your product will bring to the customers, whether they are specific TJX stores or TJX end-use customers or both. How will it increase earnings or cut costs? The critical difference between the Product Description and the Value Proposition is data: “Show me the numbers.” Supply some quantitative data that supports the feasibility of your business. Find facts and figures that show the size of your potential market, their disposable income, the projected growth of a particular market niche, etc. Cite industry analysis, if appropriate. Use a graph or pie chart to highlight the data. For example, in the case of LittleMissMatched, the Value Proposition would focus...

Words: 316 - Pages: 2

Premium Essay

Dscdv

...least 6 slides. Make the topic of the presentation on how a support desk can communicate effectively with customers. Create a master slide with a logo, footer, and font. Add notes to each slide. Insert a graphic or picture. Implement a background. Place a text box in the title slide with your name. Insert transitions for each slide. Adjust text alignment in the title slide so it is centered. Insert an organizational chart. Read the following scenarios: You are working at a support desk for a company providing onsite and telephone support to customers with Microsoft® PowerPoint® questions. On this particular day, you are presented with the following three situations: Situation 1: Susan, a pharmaceutical representative, must create a presentation about a new drug recently approved by the FDA. She wants to know the main functions of Microsoft® PowerPoint®. Susan’s gathered data includes graphs, videos, and statistics of the new drug. Situation 2: The training department from a local electronics store provides presentations to newly hired employees about the company and its operations. There are four different presentations created by four different people. The training supervisor wants to unify all four presentations into one without manually manipulating each slide. Situation 3: Tim, a college sophomore, is having trouble with a Microsoft® PowerPoint® presentation he e-mailed to himself from the library’s computer. When he executes the presentation, the slides change...

Words: 381 - Pages: 2

Free Essay

Presentation

...me explain the strategies. First step is the professors must log-in first and make quizzes in their presentation. They can log-in through google account or make new nearpot account. However, the students do not have to make their ID. They can log-in with their name. And put the number of pin number for finding professors’ presentation. I will show you how to work in nearpod later. When the professors share the quizzes in their presentation, the students can do quizzes there during the class. And also the professors can check the students’ score immediately. The next specific method is homework. The homework in nearpot is to review the slides after classes. For example, the professors email students like Hello~ this is slides for my classes~ like that. And the link is also included there. So if the students click the link, they can see the slides. I will show you how to use the nearpod. As I mentioned before, the professors must log-in and make their presentation first. I already made account. After the professors log-in, they can see 3parts. Create will be used for creating new presentation and edit it, engage will be used for launching their presentation to the students during the class, and assess can be used after class for checking who were there, who got how many quiz score like that. I made also example...

Words: 506 - Pages: 3

Free Essay

Corporat

...Corporate Dayout Timings | Winter Facilities | | | Weekdays | Weekends | Day Timings | | Water Park | Start | End | Start | End | 1 | Artificial Sea | 9:00am | 4:00pm | 9:00am | 4:00pm | 2 | Aqua Fun Plaza | 9:00am | 4:00pm | 9:00am | 4:00pm | 3 | Four Lane Multi Slides | 9:00am | 4:00pm | 9:00am | 4:00pm | 4 | Giant Slide | 9:00am | 4:00pm | 9:00am | 4:00pm | 5 | Kamikaze Slide | 9:00am | 4:00pm | 9:00am | 4:00pm | 6 | Camel Back Slide | 9:00am | 4:00pm | 9:00am | 4:00pm | 7 | Crazy River Slide | 9:00am | 4:00pm | 9:00am | 4:00pm | 8 | Crazy River Splash | 9:00am | 4:00pm | 9:00am | 4:00pm | 9 | Children Three Lane Multi Slides | 9:00am | 4:00pm | 9:00am | 4:00pm | 10 | Children Left Curvy Slide | 9:00am | 4:00pm | 9:00am | 4:00pm | 11 | Children Right Curvy Slide | 9:00am | 4:00pm | 9:00am | 4:00pm | 12 | Water Mushroom Showers | 9:00am | 4:00pm | 9:00am | 4:00pm | 13 | Dip & Splash Kids Pool | 9:00am | 4:00pm | 9:00am | 4:00pm | | Fun Lagoon |   |   |   |   | 14 | Paddler Hand Boat | 9:00am | 4:00pm | 9:00am | 4:00pm | 15 | Jumping Round | 9:00am | 4:00pm | 9:00am | 4:00pm | 16 | French Mattress | 9:00am | 4:00pm | 9:00am | 4:00pm | 17 | Big Wrestling Ring | 9:00am | 4:00pm | 9:00am | 4:00pm | 18 | Roller Boat | 9:00am | 4:00pm | 9:00am | 4:00pm | 19 | Pak Boat | 9:00am | 4:00pm | 9:00am | 4:00pm | 20 | Floating Fish | 9:00am | 4:00pm | 9:00am | 4:00pm | 21 | Dinasour Boat | 9:00am | 4:00pm | 9:00am | 4:00pm | 22...

Words: 1248 - Pages: 5

Free Essay

Conflict Managemebt

...horror story: A company salesperson came to my organization trying to persuade us to buy the product they were pitching. The product was a fairly good product but the pitch was horrible. The proposal was written like a study. The font was much too small and the line spacing was much too close. Additionally, the slide presentation had no pictures to set the mood and the presenter read from the slides… boring! This happens much too often. The "A" Paper example is a good proposal structure that has been used in business by me and other instructors that are business veterans. Please print out the example and follow its basic format. If you have problems creating text boxes or proper alignments please get assistance from the library staff or a friend. Changes here and there are OK. The presentation should contain between 8 to 12 slides and to be accompanied by a one-page executive briefing that outlines the focus of the presentation. Use the “no more than six lines per slide" rule. Slides are used as speaking points and are not to be read by the speaker. This is very important and cannot be over-emphasized. Remember, this is not a speech class. Use pictures in your slides that cause the audience to evoke the correct emotion to make your point. Use the Sir Winston formula....

Words: 858 - Pages: 4