Free Essay

Vp Short Report

In:

Submitted By John025
Words 1610
Pages 7
‘Visual Basic’

Developer: Microsoft
Appeared in: 1991; 24 years ago
OS: Microsoft Windows and Ms - DOS

HISTORY: Alan Cooper, the 'father' of Visual Basic, shows a drag-and-drop shell prototype called Tripod to Bill Gates. Microsoft negotiates to buy the concept, now code-named Ruby. The Tool includes a widget control box, the ability to add widgets dynamically, and a small language engine.

Visual Basic is Microsoft's high-level object-oriented rapid application development environment for the Windows platform. The first versions of Visual Basic were intended to target Windows 3.0 (a version for DOS existed as well), however it was not until version 3.0 for Windows 3.1 that this programming language gained large-scale acceptance in the shareware and corporate programming community. VB 1.0 was introduced in 1991. The approach for connecting the programming language to the graphical user interface is derived from a system called Tripod (sometimes also known as Ruby), originally developed by Alan Cooper, which was further developed by Cooper and his associates under contract to Microsoft.

Visual Basic is a third-generation event-driven programming language and integrated development environment (IDE) from Microsoft for its COM programming model first released in 1991. Microsoft intended Visual Basic to be relatively easy to learn and use. Visual Basic was derived from BASIC and enables the rapid application development (RAD) of graphical user interface (GUI) applications, access to databases using Data Access Objects, Remote Data Objects, or ActiveX Data Objects, and creation of ActiveX controls and objects. * A data access object (DAO) is an object that provides an abstract interface to some type of database or other persistence mechanism. By mapping application calls to the persistence layer, DAO provide some specific data operations without exposing details of the database. * Remote Data Objects (abbreviated RDO) is the name of an obsolete data access application programming interface primarily used in Microsoft Visual Basic applications on Windows 95and later operating systems. * ActiveX Data Objects (ADO) is an application program interface from Microsoft that lets a programmer writing Windows applications get access to a relational or non-relational database from both Microsoft and other database providers.

The Evolution of Visual Basic. Visual Basic 1.0 for Windows was first released on May 20, 1991 at the Windows World convention in Atlanta Georgia. In September 1992, Microsoft announced Microsoft Visual Basic for MS-DOS in Standard and Professional editions. Like Visual Basic for Windows, this version combined the ease of graphical design with the power and versatility of traditional programming. Developers simply drew the user interface and attached code that responded to events. However, following the release of Windows 3.1 in March 1992 it became apparent that the DOS environment had come to the end of its useful life. The last version of MS-DOS, 6.22, was released in 1994. VB version 2.0 for Windows (November 1992) was faster, more powerful and easier to use than version 1. VB 2 was also available in a freeware student release called the Primer edition. Visual Basic 3.0 (1993) added tools to access and control databases and Object Linking and Embedding (OLE) version 2. It came in Standard and Professional versions. A superset of VB, called Visual Basic for Applications, was released as part of Microsoft Excel 5 and Microsoft Project 4 in 1993. It has since become the internal programming language of the Microsoft Office family of products, and is available for license by other software companies. Visual Basic 4 was released in 1995 and supported the new Windows 95 family of 32-bit operating systems. The Professional Edition could also compile code to run on the older 16-bit Windows 3.x systems. Visual Basic Scripting Edition (VBScript) was also announced in 1995. VBScript is used to write embedded code for inclusion in web pages, although not all web browsers will run VBScript. With the introduction of Visual Basic version 5 in early 1997, 16-bit systems were no longer supported. Between versions 4 and 5, significant changes were made in the user interface. Visual Basic 5 added, among other things, the ability to create true executables and to create your own custom controls. It also supported Microsoft's Active-X technology. Visual Basic 5 was available in Standard (Learning), Professional and Enterprise Editions. A free edition, called Control Creation Edition, could be downloaded from www.microsoft.com, and was included with many textbooks. Visual Basic 5 was also included as part of a package known as Visual Studio 97. Visual Basic 6 (VB6) was introduced in 1998 and was included as part of a package known as Visual Studio 6.0. VB6 added new capabilities in the areas of data access, Internet features, controls, component creation, language features and wizards. The newest version of Visual Basic, sometimes referred to as VB7 or Visual Basic .NET, was released in February 2002. This product will be part of Microsoft's .NET software initiative, designed to produce XML-based applications for the Microsoft Internet environment. A Microsoft Web article says, «At first glance, it may appear to you that Visual Basic .NET is so radically different from what you know that you will have to learn it all over again.» For more information on Visual Basic .NET, see the article upgrading from Visual Basic 6.0 on the Microsoft Web site.

The three steps in creating a Visual Basic program: 1. Create the interface; that is, generate, position, and size the objects. 2. Set properties; that is, configure the appearance of the objects. 3. Write the code that executes when events occur

Relational Operator -is a programming language construct or operator that tests or defines some kind of relation between two entities. These include numerical equality (e.g., 5 = 5) and inequalities (e.g., 4 ≥ 3).

greater than | > | greater than or equal to | >= | less than | < | less than or equal to | <= | equal to | = | not equal to | <> |

Logical Operators
The logical operators are described in the following table: Operator | Usage | Description | Logical AND (&&) | expr1 && expr2 | Returns expr1 if it can be converted to false; otherwise, returnsexpr2. Thus, when used with Boolean values, && returns true if both operands are true; otherwise, returns false. | Logical OR (||) | expr1 || expr2 | Returns expr1 if it can be converted to true; otherwise, returnsexpr2. Thus, when used with Boolean values, || returns true if either operand is true; if both are false, returns false. | Logical NOT (!) | !expr | Returns false if its single operand can be converted to true; otherwise, returns true. |

Logical AND (&&)
The following code shows examples of the && (logical AND) operator.

A1 = true && true // t && t returns true
A2 = true && false // t && f returns false

Logical OR (||)
The following code shows examples of the || (logical OR) operator.

A1 = true ll true // t ll t returns true
A2 = false ll true // f ll t returns true

Logical NOT (!)
The following code shows examples of the !(logical NOT) operator.

A1 = !true // !t returns false
A2 = !false // !f returns true

The data type of a programming element refers to what kind of data it can hold and how it stores that data. Data types apply to all values that can be stored in computer memory or participate in the evaluation of an expression. Every variable, literal, constant, enumeration, property, procedure parameter, procedure argument, and procedure return value has a data type. Programming element | Data type declaration | Variable | In a Dim Statement (Visual Basic)Dim amount As DoubleStatic yourName As StringPublic billsPaid As Decimal = 0 | Literal | With a literal type character; see "Literal Type Characters" in Type Characters (Visual Basic)Dim searchChar As Char = "." C | Constant | In a Const Statement (Visual Basic)Const modulus As Single = 4.17825F | Enumeration | In an Enum Statement (Visual Basic)Public Enum colors | Property | In a Property StatementProperty region() As String | Procedure parameter | In a Sub Statement (Visual Basic), Function Statement (Visual Basic), or Operator StatementSub addSale(ByVal amount As Double) | Procedure argument | In the calling code; each argument is a programming element that has already been declared, or an expression containing declared elementssubString = Left( inputString , 5 ) | Procedure return value | In a Function Statement (Visual Basic) or Operator StatementFunction convert(ByVal b As Byte) As String |

Numeric Data Type Type | Size | Range of Values | Prefix | Example Variable Name | Byte | 1 byte | 0 to 255 | byt | bytFirstChar | Integer | 2 bytes | -32,768 to 32,767 | int | intCount | Long | 4 bytes | -2,147,483,648 to 2,147,483,648 | lng | lngHwnd | Single | 4 bytes | Negative values: -3.402823E+38 to -1.401298E-45
Positive values: 1.401298E-45 to 3.402823E+38 | sng | sngPi | Double | 8 bytes | Negative values: -1.79769313486232e+308 to -4.94065645841247E-324
Positive values: 4.94065645841247E-324 to 1.79769313486232e+308 | dbl | dblAngle | Currency | 8 bytes | -922,337,203,685,477.5808 to 922,337,203,685,477.5807 | cur | curTotalCost |
Non-numeric Data Types Type | Size | Range of Values | Prefix | Example Variable Name | String | Length of string | 1 to 65,400 characters (fixed length) | str | strName | String | Length + 10 bytes | 0 to 2 billion characters (variable length) | str | strHTM4 | Date | 8 bytes | January 1, 100 to December 31, 9999 | dtm | dtmBirth | Boolean | 2 bytes | True or False | bln | blnToggle | Object | 4 bytes | Any embedded object | obj | objCurrent | Variant | 16 bytes | Any value as large as Double (numeric) | vnt | vntNumber | Variant | Length+22 bytes | Same as variable-length string (text) | vnt | vntName |

EXAMPLE:

Dim X,Y As Int
X = (Int (txtbox1.text)
Y = (Int (txtbox2.text)
If X> Y Then Msgbox(X)
Else
Msgbox(Y)
EndIf

Similar Documents

Premium Essay

Assessing Information Technology General Control Risk: an Instructional Case

...Students identify specific strengths and weaknesses within five ITGC areas, provide a risk assessment for each area, and then evaluate an organization’s overall level of ITGC risk within the context of an integrated audit. Keywords: internal controls; general control; ITGC; risk assessment. INTRODUCTION he Sarbanes-Oxley Act (SOX 2002) and the Public Company Accounting Oversight Board (PCAOB) Auditing Standard No. 5 (PCAOB 2007) require that the organization’s chief executive officer (CEO) and chief financial officer (CFO) include an assessment of the operating effectiveness of their internal control structure over financial reporting when issuing the annual report. External auditors must review management’s internal control assessment as part of an annual integrated audit of an organization’s internal controls over financial reporting. In short, accountants—external auditors, internal auditors, and management accountants at all levels—are actively involved in helping their respective organizations comply with SOX-related internal control requirements. Because of the pervasiveness of IT in organizations, the information systems themselves contain many internal...

Words: 6299 - Pages: 26

Premium Essay

Mgt2 It Project Management Task 2

...Organization | Team Member | Justification | HRIS Project Sponsor | PM reports directly to HRIS project sponsor. | Ashley Burrici, Director of Human Resources | Responsible for the HRIS project’s business case, justification of same, is held accountable for realizing the HRIS project benefits. Also required to provide oversight of the HRIS PM and Sr. stakeholder management. | HRIS Project Manager | Reports directly Project Sponsor. | PM | Required to ensure project is executed and delivered on-time and with-in budget. The HRIS PM is responsible for achieving the HRIS project goals as defined by the Project Charter. The HRIS PM role is justified because it is required for planning, executing, and closing the project. Also for managing resource allocations, tracking budgets, resolving issues and mitigating risk. | HRIS Contracting - Procurement | Reports to PM | Drew (Procurement) | Required to ensure the HRIS system procurement portion is defined and implemented correctly. Drew is experienced in leading procurement efforts for previous successful projects. | HRIS Programming | Reports to Ashton’s HRIS Engineering Team | Kendall (IT) | Required to review HRIS Vendor software from a code perspective to ensure compatibility with existing GenRay software, ease-of-use, and stability. Ashton’s MS Engineering degree should provide the project with graduate level support. | HRIS Benefits Analysis | Reports to HRIS Management Analysis Team (Rylee) | Harley (HR-Spokane) | Required...

Words: 3095 - Pages: 13

Premium Essay

Functions

...THE EXECUTIVE DIVISION The Board of Trustees As the governing body, the Board of Trustees formulates the institutional objectives, circular thrusts and major policies on the general operation of the University in line with its philosophy, mission, vision and objectives. The Board regularly meets once a semester to deliberate on issue pertinent to these concerns but my convene, if there are matters to be acted upon which cannot be held pending until the next scheduled meeting. Urgent matters of this nature are handled by an Executive Committee of the Board composed of three senior members for tentative action until the next Board meeting. The University Executive Body The executive body of the University is headed by the President, assisted by an Executive Vice President. Under the Executive Vice President is the Senior Vice President and Treasurer. The University President The President is the highest in the University. The functions of the position are as follows: ➢ recommend for the approval of the Board of Trustees institutional policies, plans, and programs consistent with the University's mission and thrusts; ➢ ensures the implementation of the University policies, plans and programs approved by the Board of Trustees; ➢ confers, with the authority from the Board of Trustees, academic degrees, diplomas or certificates to qualified candidates for graduation upon the recommendation of the Vice President for Academic Affairs; ...

Words: 2554 - Pages: 11

Premium Essay

Human Resources Management

...produces equipment to be used in the wine industry, and it’s based in Cyprus. It is a big company, employing 4,000 people and having 7 big areas, with 7 VP’s, in its organizational chart. The company has one CEO, and below him there are the 7 areas, that are: Special Projects, Sales and Marketing, Technology, Manufacturing, Human Resources, Finance and IT, Comms and Government. Below the areas there are some others controlling levels depending of it area. As any other firm, there are some changes that may occur in the structure of the company in the new years and to get a successful result with these changes it's necessary to have good analysis of the employees and well elaborated plans and practices to conduct the company. Analysis If the VP for Finances and It resigned A resign, in many cases, can be followed by a period of instability that can affect the company in many...

Words: 2592 - Pages: 11

Premium Essay

Ethical Issues and Management

...Ethical Issues and Management XMGT/216 May 1, 2011 Ethical Issues and Management There are many ethical and moral issues, legal or illegal, that managers face every day. The decisions management makes directly impacts the organization and affects the organizations reputation. Employment processes and business practices require managers to make decisions that will benefit the organization, its staff, and the community in which they operate. To ensure organizations operate responsibly, local, state, and federal government institute regulations in which employers must comply. Organizations also develop codes of ethics which guide the business transactions of the organization and staff which outline acceptable conduct specific to the organization and may highlight some government regulations. Managers are expected to act in an appropriate, professional manner so as to set examples for their staff, much in the same way adults represent themselves to children as role models. Managers have a responsibility to their organization to cultivate a healthy work environment for staff and customers and as role models; they influence how their employees conduct business, ethically and morally. Employees have their own set of ethics and morals before joining any organization, and it is up to managers to ensure they act responsibility and in accordance with company policies and codes of ethics. It is possible that even an employee with a high set of ethical standards can make unethical...

Words: 1102 - Pages: 5

Premium Essay

Corporate Goverenace - Santos & Sydney Airport

...1900 Student Names: Arya Ghosh (S00177114) Janey Rose Sagana (S00176976) Minella Ann Rivera (S00177014) Arun Babu George (S00177033) Submitted on 25th September 2014 1/1/1900 1900 Student Names: Arya Ghosh (S00177114) Janey Rose Sagana (S00176976) Minella Ann Rivera (S00177014) Arun Babu George (S00177033) Submitted on 25th September 2014 1/1/1900 2014 2014 Group Assignment: Case Study – Sydney Airport & Santos Limited Group Assignment: Case Study – Sydney Airport & Santos Limited BUSN 603- CORPORATE GOVERNANCE AND SOCIAL RESPONSIBILITY North Sydney Campus BUSN 603- CORPORATE GOVERNANCE AND SOCIAL RESPONSIBILITY North Sydney Campus Table of Contents Company Profile: 3 SANTOS MINING 3 Profile 3 Board Composition and Structure 3 Risk Management / Internal and External Controls 4 Code Of Conduct 4 Transparency Issue-Santos 4 SYDNEY AIRPORT 5 Profile 5 Board Composition / Structure 5 Risk Management / Internal and External Controls 6 Code of Conduct 6 Remuneration Committe Issue-Sydney Airport 6 Discussion And Conclusions 7 SECTION 2 7 Answer: (Question1, See Appendix) 7 SANTOS Limited Remuneration 7 Sydney Airport Remuneration 9 Answer: (Question 2, See Appendix)) 9 References 11 Appendix 13 Section 2 Questions 13 SANTOS Remuneration Table & Chart 13 Remuneration Committee Santos 15 Remuneration Committee...

Words: 2515 - Pages: 11

Premium Essay

Amazon Company Structure

...on their website. ▪ Developers Lastly they serve their developer customers through their web services that provide access to technology infrastructure that developers can use to enable virtually any type of business. Mission statement Their mission is to be earth's most customer centric company; to build a place where people can come to find and discover anything they might want to buy online. Amazon.com is a digital colossus. [pic] Organization Structure Amazon started as Simple structure & then changed to Multi-Divisional structure. Divisions include: ▪ Seller Division ▪ Consumer Division ▪ Developer Division Each division has a vice president that reports directly to the CEO. Amazon currently employs more than 51,300 people around the world. Their employees work in corporate offices, fulfilment centres, customer service centres and software development centres across North America, Europe and Asia. Employees in their...

Words: 2167 - Pages: 9

Free Essay

Ethics in Management Case Study

...Case 8: Should Labor Practices of Multinationals be Judged by the Standards of their Home Country or the Country of Operation? A group of representatives from one of Germany's largest labor unions, marched on one of Amazon's eight German distribution centers. Armed with 37,000 petition signatures, the group demanded a meeting with Amazon executives to negotiate a union wage contract for its German workforce. Amazon, which employs 8,000 people in Germany, has refused to communicate with union officials, emphasizing that it already pays above the union rate. The union has protested the "Big Brother" atmosphere where "everything is measured, everything is calculated, everything is geared toward efficiency." The union is also protesting the treatment of the 10,000 temporary workers that Amazon buses in from Spain and Romania to meet Christmas demand, citing German legislation, introduced in 2005 that lowered labor regulations, as a main contributor to the problem. Amazon is quickly becoming despised for personifying the qualities of American-style management that Germans despise. "People want to be treated with respect," argues the union leader. 1. Should Amazon insist on American-style management in Germany? Response: Since Amazon is an American company, it is not so possible to entirely abandon its American-style management. However, it needs to make some improvement on employee relations, have more communication with the local union officials, and make some adjustment in its...

Words: 2059 - Pages: 9

Free Essay

When the Boss Releases Her Inner Toddler

...When the Boss Releases Her Inner Toddler 1. How might be the episode (scene) you experienced be explained from the situational perspective? From the interactionalist perspective? In a situational perspective, it acknowledges that there are other variables that could alter the direct relationship, and that it depends to the elements of the situation the right managerial action or behavior in any circumstance. Like in the example, in the part where the VP will be presenting his report, he was affected by the noise of thudding against the wall and that was the reason that made him go around the room and lose focus on his presentation, knowing that the president was not happy of his report. Also, one of his jobs was to evaluate each month's performance and this could also be another factor that influenced the situation where the president was angry of him because of the low sales performance on the women's apparel department. While in an interactionalist perspective, the experience he had as one of the VPs at a small chain of regional clothing stores was very difficult and challenging, especially when it comes to the president who has the inability to accept negative results which also resulted to the VP’s behavior of being so afraid of a simple presentation and not knowing of his unconscious actions that lead the president of the company to be angry with him. 2. Have you ever encountered anyone who behaved in ways that can be compared to the behavior of the teacher...

Words: 732 - Pages: 3

Premium Essay

Woklswagen Case

...Aligning Employees Leading Strategic Change Robert S. Kaplan Marvin Bower Professor of Leadership Development, Emeritus Copyright © President & Fellows of Harvard College Align employees to the strategy: Four HR processes 1. Create Strategic Awareness Communicate Communicate Communicate 2. Align Personal Goals Personal Scorecard Make Strategy Everyone’s Job 3. Provide Necessary Skills Strategic Job Families Strategic Readiness 4. Align Personal Incentives Variable pay Team based You need a formal process to improve workforce readiness. Strategy should be linked to existing HR programs for performance management. How do we align employees to the strategy? 1. Create Strategic Awareness Communicate Communicate Communicate 2. Align Personal Goals Personal Scorecard Make Strategy Everyone’s Job 3. Provide Necessary Skills Strategic Job Families Strategic Readiness 4. Align Personal Incentives Variable pay Team based Communicate “seven times seven different ways” to make strategy everyone’s job Personal relevance brings the strategy to life Sustained communication uses different channels to get the message across • Leadership meetings • CEO random visits to employees • Dear Colleague Quarterly Letter in Mellon News • Learning lunches & informal discussions • Intranet • Working groups facilitated by HR • Staff briefings Source: Presented by Jack Klinck, Vice Chairman, Mellon Europe at BSCol European...

Words: 3979 - Pages: 16

Premium Essay

Centurion Media

...President for the SE Region of Centurion Cable for the last ten years. He has had a lot of success building relationships with customers, while also increasing the profits and sales substantially year after year within the region. He owes much of his success to the team that he has around him, most of which have been by his side since he became Vice President of the region. Vicki Porter, Sales Director of the SE Region, has been of great help to Richard and is said to be in line for Richard’s VP spot when he retires. Bennett, along with many other members of the cable division feel that the contractual agreement with Northpark will severely handicap the company, deteriorate relationships with current customers, and result in substantial financial losses for Centurion. Rumor has it that eventually Fowler plans to dismantle the regional hierarchy approach to the sales regions and have all regions report to Fowler’s brother, who has limited experience and skills. This would eliminate the VP spots and probably others within the cable division. Fowler has been said to eliminate those employees that try and cross him or question his judgment. Problem Based on the data provided, the contract with Northpark that Fowler has agreed to will have a negative impact on Centurion Cable’s profitability, growth rate, and...

Words: 870 - Pages: 4

Premium Essay

Voluntary Principles on Security and Human Rights

...From Compliance to Practice Mining Companies and the Voluntary Principles on Security and Human Rights in the Democratic Republic of Congo Tanja A. Börzel/Jana Hönke SFB-Governance Working Paper Series 25 • October 2011 DFG Sonderforschungsbereich 700 Governance in Räumen begrenzter Staatlichkeit - Neue Formen des Regierens? DFG Research Center (SFB) 700 Governance in Areas of Limited Statehood - New Modes of Governance? SFB-Governance Working Paper Series Edited by the Research Center (SFB) 700 „Governance In Areas of Limited Statehood - New Modes of Governance?“ The SFB-Governance Working Paper Series serves to disseminate the research results of work in progress prior to publication to encourage the exchange of ideas and academic debate. Inclusion of a paper in the Working Paper Series should not limit publication in any other venue. Copyright remains with the authors. Copyright for this issue: Tanja A. Börzel/Jana Hönke Editorial assistance and production: Tanja Kilper/Sara Gebh/Anna Jüschke All SFB-Governance Working Papers can be downloaded free of charge from our website www.sfb-governance.de/en/ publikationen or ordered in print via e-mail to sfb700@zedat.fu-berlin.de. Börzel, Tanja A./ Hönke, Jana 2011: From Compliance to Practice. Mining Companies and the Voluntary Principles on Security and Human Rights in the Democratic Republic of Congo, SFB-Governance Working Paper Series, No. 25, Research Center (SFB) 700, Berlin, October 2011. ISSN 1864-1024 (Internet)...

Words: 16584 - Pages: 67

Premium Essay

Quaker Steel

...CASE ANALYSIS REPORT DIAGNOSIS Maureen Frye failed to implement the proposed plan to change the call patterns of salespeople responsible for selling extruded titanium products at Quaker Steel and Alloy Corporation. The failure was due to a lack of understanding of the following components: Organization Communication Culture Structure Directives Interpersonal The principle error Maureen made was underestimating how significant company culture could impact decision-making at every responsibility level. Even though Quaker had strict functional reporting lines, the organization supported an informal culture based on friendliness and openness. Most importantly, Quaker’s ethos required a high degree of influence by persuasion and charisma—not formal authority. Secondly, the communication vehicle that Maureen chose to carry and deliver her proposed plan was ill suited for interconnecting the plan and expectations. Instead of going with the organization’s pattern of utilizing personal relationships, teamwork, and the openness to express opinions and feedback, Maureen sent a memo directly to the titanium extrusion sales representatives. In the memo, she simply gave a rationale for making the change. In response, a District Sales Manager (DSM) called Maureen to ask for a more detailed explanation for the change due to its arbitrary nature. Therefore, Maureen presented her findings to the DSMs in a yearly sales meeting in the presence of the VP of Marketing...

Words: 1333 - Pages: 6

Premium Essay

Madness Moosehead University

...Short Case Study # 1 - Madness Moosehead University Question As the consulting job analyst to Moosehead University, prepare an intake evaluation report that contains your recommended steps and sequencing of activities to conduct this work analysis. List the various stakeholders you will consult, indicate specific methods and techniques you will employ in successfully completing this contractual assignment. Objective The purpose of this evaluation report is to implement performance indicators for faculty members and professors, and to elaborate a document or guide to help the Moosehead University update their employee’s jobs descriptions and specifications. Also, this job analysis will enable HR personnel to effectively manage a variety of activities such as career progression, training, development, promotion, compensation, enhancing job performance, quality of teaching, accountability and other management related organizational requirements. In order to elaborate an in dept evaluation, there will be a variety of steps and activities to conduct this work analysis: 1. Review the current descriptions and specifications for each job, in this case, the Senate document that has three areas of duties: ➢ Teaching ➢ Research and Scholarly activities ➢ Service 2. Interview faculty members, professors other individuals who are in the job under evaluation (Dr. Hamish Haberdashery (VP Academic), Dr. Carla Climber (President)...

Words: 512 - Pages: 3

Free Essay

Binay Visits Uplb

...Land Tenure Group Re: Governance, Transparency, and Social Transformation Though many allegations against the credibility of Vice President (VP) Binay exist, it is the duty of the learned individual to actively scrutinize the contents of his speech without the presence of preconceived notions and biases. In this section, we shall deconstruct VP Binay’s talk on Governance, Transparency, and Social Transformation using two lenses: a noncontextualized view devoid of any prejudgments, and a contextualized view that takes into account the present and circulating rumors about the VP’s credibility. The Noncontextualized View If one should isolate the talk of the vice president and take it for what it is, then without a doubt there will be gems worth noting and treasures worth keeping. Strictly speaking, the talk itself was very enlightening and definitive. The vice president went over the things that are needed for sound governance, and provided relevant examples (i.e. the city of Makati) to better illustrate the point. He also glossed over the problems and pitfalls of the current administration and provided recommendations on what the next administration (viz. a Binay Administration) should implement. The following are the points and details stressed during the forum. First and foremost, VP Binay started by stressing the importance of good track records as necessary qualifications for good governance. It is through these credentials that confidence is built between the governor and...

Words: 1216 - Pages: 5