Free Essay

Technical

In:

Submitted By ahalvkp
Words 3226
Pages 13
1. What does static variable mean? When a variable is declared to static it will be initialized the default value zero. It is local to the block in which it is declared. The lifetime persists for each and every function call.
2. What is a pointer? A pointer is also called a reference of a particular data type. But instead of storing some value it stores the address of a particular variable. This address can be initialized by using “&” operator. Eg: int a = &b;
3. What is a structure? Structure is a special type of user defined data structure which comprises of a collection of certain type predefined data types like int, char, float etc. It is an entity which comprises of many atoms.
4. What are differences between structure and array? Arrays are group of data of same data type, whereas structure is combination of entities of different data types. Size of array needs to be declared initially itself whereas structure can be done both initially and dynamically.
5. In header files whether functions are declared or defined? Inside header files the functions are defined and they are not declared. This is also a type of structure definition.
6. What are the differences between malloc() and calloc()? malloc() takes a single argument(memory required in bytes), while calloc() needs 2 arguments(number of variables to allocate memory, size in bytes of a single variable). Secondly, malloc() doesnot initialize the memory allocated, while calloc() initializes the allocated memory to ZERO. The difference b/w malloc and calloc are: 1. malloc() allocates byte of memory where as calloc()allocates block of memory.
7. What are macros? What are its advantages and disadvantages? Macros are short form for macro definition. These macro names are handled by the pre processor and it replaces the corresponding definition. Macros increase the speed of execution whereas they also increase the size of the program.
8. Differences between pass by reference and pass by value Whenever we call a function if we pass the value of the variable with it, it is called call by value. Whereas, if we pass the address were the variable is stored it is called, call by reference.
9. What is static identifier? In C the names of variables, functions, labels etc are named as identifiers. Similarly static is also an identifier which is used to initialize value to some data types.

10. Where is the auto variables stored? Even if variables are not declared auto by default they are taken to be auto. When initialized auto variables are stored in the memory it is local to the block in which it is declared, its default value is garbage.
11. Where does global, static, local, register variables, free memory and c Program instructions get stored? Local Variables are stored in Stack. Register variables are stored in Register. Global & static variables are stored in data segment. The memory created dynamically are stored in Heap And the C program instructions get stored in code segment.
12. Difference between arrays and linked list? Arrays are initialized statically whereas linked list is initialized dynamically using pointers. Arrays are easy to create and use but creating linked list is tough. Arrays must be contiguous memory locations but in linked list they can be at different places.
13. What are enumerations? Enumeration is the process by which we can declare what values a particular variable of a defined data type can take.
14. Describe about storage allocation and scope of global, extern, static, local and register variables? The extern storage type is used to allow a source module within a C program to access a variable declared in another source module.

Static variables are only accessible within the code block that declared them, and additionally if the variable is local, rather than global, they retain their old value between subsequent calls to the code block.

Register variables are stored within CPU registers where ever possible, providing the fastest possible access to their values.
15. What are register variables? What are the advantages of using register variables? Register variables is another type of storage class in C. When declared of this type it gets stored inside the CPU registers. Whenever we are going to use a variable at many places it is useful in declaring it as register because it will increase the speed of execution.
16. What is the use of typedef? Typedef is used in re declaring the variables. When ever big variable declarations are present they can be substituted using typedef. Eg: typedef unsigned long int TWO;. Whenever we want to use unsigned long int we can just use TWO. Eg: TWO var1, var2;

17. Can we specify variable field width in a scanf() format string? If possible how? Yes we can specify variable filed width within a scanf format string. An example is here we restrict string of length greater than size 20 using this statement. scanf(“%20s”, address).
18. Out of fgets() and gets() which function is safe to use and why? Out of fgets() and gets(), fgets() is safer because of the following reason. Fgets() reads from the file buffer until the beginning of a new line or until EOF. Whereas, in gets() it is the users work to specify length and gets() also has the danger of overrunning.
19. Difference between strdup() and strcpy()? Strcpy() is used to copy one string to another in his case we have to pass two values source and destination. Whereas. In strdup() it duplicates the string and source and destination values need not be passed.
20. What is recursion? The processes were a particular function calls itself again and again until a condition is meet is called as recursion. For example the factorial value can be calculated using recursive functions.
21. Differentiate between for loop and a while loop? We have to initialize values outside the while loop check condition and then increment inside the while loop. Whereas all three steps can be done together inside a single for loop.
22. What are different storage classes in C? C provides four storage types; ‘extern’, ‘static’, ‘auto’ and ‘register’.
23. Write down the equivalent pointer expression for referring the same element a[i][j][k][l]? a[i] == *(a+i) a[i][j] == *(*(a+i)+j) a[i][j][k] == *(*(*(a+i)+j)+k) a[i][j][k][l] == *(*(*(*(a+i)+j)+k)+l)
24. What is the difference between structure and union? Both structure and union are almost similar. But the main difference is how they are stored. In structures many memory locations are grouped together. In unions a single memory location is split into many.
25. What is the advantage of using unions? Advantage of using union is that it reduces machine dependency. We no longer have to worry about the size of an int, long, float etc.
26. What are the advantages of using pointers in a program? The advantages of using pointers in programs are, they help in dynamic allocation of variables, they also help in efficient memory utilization ways, etc.
27. What is the difference between Strings and Arrays? Strings are used to handle a set of character, handling strings is a very important concept. Arrays are nothing but storing of entities of same data type in contiguous memory location. Strings are handles as a array of characters.
28. It is a repeated question
29. What is a far pointer? Where we use it? Far pointers are the normalized pointers of four bytes which are used to access the main memory of the computer ...it can access both the data segment and code segment thus by modifying the offset u can modify refer two different addresses but refer to the same memory
30. float (*fnp[3])(int, int);
31.What is NULL pointer? Whether it is same as an uninitialized pointer? Usually a pointer is initialized to NULL. this is to tell that it is still doesn't have valid address. Uninitialized pointer can contain any value (just like any other uninitialized variable), which we call garbage.

32.What is NULL macro? What is the difference between a NULL pointer & a NULL macro? NULL is a macro which contains the value 0 (on most implementations). this is the one used to initialize a pointer to NULL.
33.What does the error ‘Null Pointer Assignment’ mean and what causes this error?
Null pointer assignment: This error is displayed when a value is stored to an uninitialized pointer. The program may appear to work properly.
34.What is near,far,huge pointers?How many bytes are occupied by them? near pointer: near ;
The first version of near declares a pointer to be one word with a range of
64K.
This type modifier is usually used when compiling in the medium, large, or huge memory models to force pointers to be near. Example: char near *s; int (near *ip)[10]; When near is used with a function declaration, Turbo C++ generates function code for a near call and a near return. far pointers:
Forces pointers to be far, generates function code for a far call and a far return. Syntax: þ far ; The first version of far declares a pointer to be two words with a range of
1 megabyte. This type modifier is usually used when compiling in the tiny, small, or compact models to force pointers to be far. Examples: char far *s; void * far * p;
When far is used with a function declaration, Turbo C++ generates function code for a far call and a far return. huge pointer: Syntax: huge ; The huge pointer is similar to the far pointer except for two additional features. 1. Its segment is normalized during pointer arithmetic so that pointer comparisons are accurate. 2.Huge pointers can be incremented without suffering from segment wraparound.
35.How would you obtain segment and offset address from a far address of a memory location? The segment and offset address can be calculated by means of using the function FP_SEG().The parameter to the function is fp which is the file pointer.It is given as FP_SEG(fp).This function returns the segment and offset address of the given memory location.
36.Are the expressions arr and &arr same for an array of integers? The __expression arr and &arr are same for an array of integers. 37.Does mentioning the array name gives the base address in all the contexts? No, not in all contexts. Following is the list of exceptions.
An expression of type “array of type” is converted to type
“pointer to type” unless:

* it is the operand of the sizeof operator, or
* it is the operand of the address-of (&) operator, or
* it is a string literal used to initialize an array.
38. Explain one method to process an entire string as one unit? Strlen()-This function counts the number of charcters present in a string. Ex: main() { char arr[]=”London”; int len; len=strlen(arr); printf(“string = %s length=%d”,arr,len);
}
Output: String= London length=6
39. What is the similarity between a structure, union and enumeration? The similarity between a structure, union and enumeration is all the three are defined by the user.
40. Can a structure contain a pointer to itself? Yes, structure can contain a pointer to itself. typedef struct node { char *item; struct node *next; } *NODEPTR;
41.How can we check whether the contents of two structure variables are same or not? Two variables of the same structure type can be compared in same way as ordinary variables.
If person1 & person2 belongs to same structure the following operations are valid. |Operation |Meaning |
|Person1=person2 |Assign person2 to person1 |
|Person1==person2 |Compare all members of person1 &person2 & |
| |return 1 if they are equal, zero otherwise. |
|Person1!=person2 |Return 1 if all the member are not equal, zero |
| |otherwise. |

42. How are structure passing and returning implemented by compiler? When structures are passed as arguments to functions, the entire structure is typically pushed on the stack, using as many words as are required.
43. How can we read/write structures from/to data files? We ca n read/write structures from/to data files by using fscanf()&fprintf().
44. What is the difference between enumeration and a set of preprocessor #defines? #define have a global scope whereas the scope of enum can either be global (if declared outside all function) or local (if declared inside a function). 45. What do the ‘c’ and ‘v’ in argc and argv stand for? Argc-argument count Argv-argument vector
46. Are the variables argc and argv are local to main? Yes, the variables argc and argv are local to main.
47.
48. It is the command interpreter’s job to do the expansion.
49.
50. What are bitfields?What is the use of bitfields in structure declaration? A bit field is an element of a structure that is defined in terms of bits.Using a special type of struct definition, you can declare a structure element that can range from 1 to 16 bits in length. For example, this struct struct bit_field { int bit_1 : 1; int bits_2_to_5 : 4; int bit_6 : 1; int bits_7_to_16 : 10; } bit_var;
51. To which numbering system can the binary number 1101100100111100 be easily converted to? Hexadecimal Numbering System.
52. Which bitwise operator is suitable for checking whether a particular bit is on or off? Bitwise AND Operator.
53. Which bitwise operator is suitable for turning off a particular bit in a number? Bitwise AND Operator.
54. Which bitwise operator is suitable for putting on a particular bit in a number? Bitwise OR Operator.
55. Which bitwise operator is suitable for checking whether a particular bit is on or off? Bitwise AND Operator.
56.Which is equivalent to multiplying by 2:Left shifting a number by 1 or left shifting an unsigned int or char by 1? Left shifting a number by 1 is equivalent to multiplying by 2. It is always safe to use unsigned integer operands for bitwise operations, so the second statement will hold good. 57. Write a program to compare two strings without using the strcmp() function? 58.Write a program to concatenate two string? Program: #include void main()
{
char source[]=”folks!”; char target[30]=”Hello”; strcat(target,source); printf(“\nsource string=%s”,source); printf(“\ntarget string=%s”,target);
}
59.Write a program to interchange two variables without using the third one?
Program:
#include void main(){ int a,b; printf("ENTER THE VALUE OF A : "); scanf("%d",&a); printf("ENTER THE VALUE OF B : "); scanf("%d",&b); if (a>b)
{a=a-b;
b=a+b; a=b-a; } else {b=b-a; a=b+a; b=a-b;} printf ("A = %d \nB = %d",a,b);
}

60.Write a program for String reversal & palindrome check? Program: #include
#include
#include void main()
{
char str1[20],str2[20]; clrscr(); printf("\nEnter the string: "); scanf("%s",&str1); strcpy(str2,str1); strrev(str1); 61. Write a program to find the Factorial of a number
#include
#define VALUE 6 int i,j; void main()
{
j=1; for (i=1; i INTVECTOR ;

• If the template definition changes, simply change the typedef definition. For example, currently the definition of template class vector requires a second parameter. typedef vector<int, allocator<int> > INTVECTOR ; INTVECTOR vi1 ;

67.How would you dynamically allocate a one-dimensional and two-dimensional array of integers? int **arrayPtr; int numRows, numCols; printf("Enter values for numRows and numCols\n"); scanf("%d",&numRows); scanf("%d",&numCols);
/* Create space for first array (array of pointers to each row). */ arrayPtr = (int **) malloc(numRows*sizeof(int));
/* Loop through first array and create space for according to number of columns.*/ for(rowIndex=0;rowIndex < numRows;rowIndex++) arrayPtr[rowIndex] = malloc(numCols*sizeof(int));
The easiest way to create a dynamically allocated array is to first dynamically allocate an array of pointers, of length equal to the number of rows desired, and then have each entry in that array point to a dynamically allocated array of length equal to the number of columns.
The following example allocates a dynamic array of characters with eight rows and 5 columns. main() { char **myArray; // eek, char ** because myArray is a pointer to a // pointer to a character (an array of arrays...)

myArray = new char * [8]; // allocate the rows

for (int row = 0; row < 8; row++) // now allocate the columns myArray[i] = new char [5];
}

68.How can you increase the size of a dynamically allocated array? Realloc() function is used to resize the memory block,which is already allocated. Syntax: ptr_var=realloc(ptr_var,new_size);

69.How can you increase the size of a statically allocated array? Required amount of memory is allocated to program elements at start of the program. memory value is fixed and identified by compiler at compile time. So statically allocated memory size cannot be resized.
70.When reallocating memory if any other pointers point into the same piece of memory do you have to readjust these other pointers or do they get readjusted automatically?

If you have a pointer to a malloc'd section of memory and you realloc it, the pointer still points to the right addrss, but the actual address *may* change.
71.Which function should be used to free the memory allocated by calloc()?
The Free() function
Syntax: free(ptr_var);

72.How much maximum can you allocate in a single call to malloc()? Depending upon the amount of free memory in the ram,the size is allocated to malloc in single call. To check whether requested memory is available the following program is used.. Int ptr*; Prt=(int*)malloc(5*sizeof(int)); If (prt==NULL) { Printf(“required memory not available”); Getch();exit(0); }

73.Can you dynamically allocate arrays in expanded memory? ======
74.What is object file? How can you access object file?

The compiler compiles the error free source code and coverts them into byte code format and this file is called the object file. Thus the text editor produces .c source files, which go to the compiler, which produces .obj object files, which go to the linker, which produces .exe executable file
75.Which header file should you include if you are to develop a function which can accept variable number of arguments? Stat.h
76.Can you write a function similar to printf()?

The library function sprintf() is similar to printf() only the formatted output is written to a memory area rather than directly to standard output. It is particularly useful when it is necessary to construct formatted strings in memory for subsequent transmission over a communications channel or to a special device main() { char buf[128]; double x = 1.23456; char *spos = buf; int i = 0; sprintf(buf,"x = %7.5lf",x); while(i the numbers are more random randomize … is probably a Borland specific function
92.What is the difference between the functions memmove() and memcpy()? memmove() – Copies n characters from str2 to str1. If str1 and str2 overlap the behavior is undefined memcpy() – Copies n characters from str2 to str1. If str1 and str2 overlap the information is first completely read from str1 and then written to str2 so that the characters are copied correctly
93.How do you print a string on the printer? BY USING: stdprn()-[standard printer] function.
94.Can you use the function fprintf() to display the output on the screen? yes it is possible as

Similar Documents

Free Essay

Technical Writer

...Dear Sir/Madam, Greeting's for the day!!! A Technical Writer is a Professional Writer who engages in technical writing and produces technical documentation for technical, business, and consumer audiences. The Institute of Scientific and Technical Communicators defines the profession as preparing information that helps users who use the product. This documentation includes online help, user guides/manuals, white papers, design specifications, system manuals, project plans, test plans, business correspondence, etc. Technical Writer create documentation in many forms, such as printed, web-based, or other electronic means. Engineers, scientists, and other professionals may also produce Technical Writing, but often hand it off to a professional technical writer for developmental editing, proofreading, editing and formatting. Skills Sets: In addition to solid research, language, writing, and revision skills, a technical writer may have skills in: 1. Information Design 2. Information Architecture 3. Training Material Development 4. Illustration / Graphic Design 5. Website Design Management 6. Indexing 7. Localization / Technical Translation 8. User Interfaces 9. Business Analysis A Technical writer may apply their skills in the production of non-technical content, for example, writing high-level consumer information. Most Important Skill that each and every Technical Writer must have will be a Good Communication and Interpersonal Skills so that they may...

Words: 501 - Pages: 3

Premium Essay

Technical Writing

...Technical Writing and Writing a Technical Report [pic]Understand the type of technical report you are writing. Technical reports come in all shapes and sizes, but they all share the same goal of communicating information clearly. Deciding what type of document you need to write is an important first step as it influences your approach. For example, the following demand different approaches. Reporting Research Findings These documents describe the work done to gather information in the laboratory or field. They can be simple recording or data or more thorough and include: the problem or issue examined, the method or equipment used, the data collected and the implications. Simple Technical Information Report This document explains a technical subject. It has no aim other than to make sure readers understand the topic clearly. For example, a technical report on a investing in the futures market would probably explain how the market evolved, how it works, the specialist terms used and so on. A simple technical report for information does not put forward a view on the merits of investing in the market or have recommendations. Technical Specifications Specifications typically consist of descriptions of the features, materials, uses and workings of new product. Good specifications concentrate on graphics, data and illustrations rather than written descriptions. Think of a patent application as a good example. Technical Evaluation Reports Evaluation reports, sometimes called...

Words: 3230 - Pages: 13

Premium Essay

Technical Report

...Technical Writing and Writing a Technical Report [pic]Understand the type of technical report you are writing. Technical reports come in all shapes and sizes, but they all share the same goal of communicating information clearly. Deciding what type of document you need to write is an important first step as it influences your approach. For example, the following demand different approaches. Reporting Research Findings These documents describe the work done to gather information in the laboratory or field. They can be simple recording or data or more thorough and include: the problem or issue examined, the method or equipment used, the data collected and the implications. Simple Technical Information Report This document explains a technical subject. It has no aim other than to make sure readers understand the topic clearly. For example, a technical report on a investing in the futures market would probably explain how the market evolved, how it works, the specialist terms used and so on. A simple technical report for information does not put forward a view on the merits of investing in the market or have recommendations. Technical Specifications Specifications typically consist of descriptions of the features, materials, uses and workings of new product. Good specifications concentrate on graphics, data and illustrations rather than written descriptions. Think of a patent application as a good example. Technical Evaluation Reports Evaluation reports, sometimes called...

Words: 3230 - Pages: 13

Free Essay

Technical Writing

...This article is a guide to careers in technical writing. If you are interested in technical writing, here is a guide to the profession, and it include six parts. First, you need to know if technical writing is for you. Saul Carliner think that write a novel is not the job. Although the finished product is something you wrote, there's a lot of collaboration. Contrary to what many assume, this job requires plenty of contact with technical professionals, from programmers and project managers to machine operators and medical technicians. If you're considering a job as a technical writer, and you always spend several hours reading and reviewing computer manuals and online help systems. You need to know no one in the outside world will ever see it. But the field has broadened to include a variety of job roles and responsibilities. Second, you need background. As a group, technical communicators come from varied backgrounds. The five most common academic backgrounds are English, technical communication, science or engineering, computer science and journalism. Third, you need to know specific programs. You should know Microsoft word, FrameMaker, and RoboHelp. Forth, you can move into other IT jobs. Technical communicators often move into jobs as programmers, systems analysts, information architects and project leaders. Others shift into sales or management roles. Fifth, you need to get experience. Budding technical communicators should seek out internships, volunteer work and other...

Words: 264 - Pages: 2

Free Essay

Technical Analysis

...SYMBIOSIS SCHOOL OF BANKING MANAGEMENT Constituent of symbiosis International University Accredited by NAAC with ‘A’ Grade Established under Section 3 of the UGC Act, 1956, vide notification No: F.9.12/2001-U-3of the Government of India. IMPORTANCE OF TECHNICAL ANALYSIS IN DETERMINING MOVEMENT OF PRICE IN EQUITY STOCK MARKET Internship Report submitted to SIU in partial completion of the requirement of MBA Banking Management at Symbiosis School of Banking Management Pune-412115. NAME OF THE STUDENT: PROJECT MENTOR (SSBM) PROJECT MENTOR / PRN: REPORTING OFFICER (AT THE BANK) ABHISHEK AGRAWAL DR. BINDYA KOHLI AMOL ATHAWALE PRN: 12020941031 APRIL 08 2013 TO MAY 25 2013 ACKNOWLEDGEMENT I sincerely and religiously devote this Research Paper to all the gem of persons who have openly or silently left an ineradicable mark on this research so that they may be brought into consideration and given their share of credit, which they genuinely and outstandingly deserve. This expedition of research...

Words: 17695 - Pages: 71

Free Essay

Technical Analysis of Stocks

...ANNEXURE - C “TECHNICAL ANALYSIS OF STOCKS ” This project report in the Special Studies in Finance based on the in-depth study of the project theme is submitted in February, 2014 to the Sydenham Institute of Management Studies and Research and Entrepreneurship Education (SIMSREE) , B - Road, Churchgate, Mumbai - 400 020, in partial fulfillment of the requirements for the award of the Master’s Degree, Masters in Management Studies (MMS), Submitted By NAME: VAISHALI CHANDRESH GORATELA ROLL NO. : M12020 CLASS: MMS1 BATCH: 2012-2014 Guided By MR. AMIT BOBHATE Date: Place: MUMBAI ANNEXURE – D CERTIFICATE This is to certify that this project report entitled “TECHNICAL ANALYSIS OF STOCKS” is submitted in February, 2014 to Sydenham Institute of Management Studies and Research and Entrepreneurship Education (SIMSREE) , Mumbai 400020, by Ms. Vaishali Goratela bearing Roll No. M12020, batch (2012 - 2014) in partial fulfillment of the requirements for the award of the Master’s Degree, Masters in Management Studies (MMS). This is a record of her own work carried out under my guidance. She has discussed with me adequately before compiling the above work and I am satisfied with the quality, originality and depth of the work for the above qualification. PLACE: MUMBAI. ________________ DATE: (Signature...

Words: 13489 - Pages: 54

Free Essay

Technical Design in Fashion

...A techpack is a set of technical details sheets of any design which explain the various processes, techniques and quality parameters involved during the product development process (especially for bulk manufacturing of any apparel product). This is visually impressive and conveys information in an effective manner as it will have verbal explanation as well as illustrated with diagrams / sketches. We are expertise in TECH PACKs that are visually impressive and conveys all the design and technical information in an effective manner quickly. We lay stress on both the aesthetics as well as technological compliance of these techpacks, keeping in mind the compatibility, colour schemes and optimization for product development at both, sample development and bulk production process. Each TechPack is drafted in a unique format and the basic structure of our tech pack as follows: Page 1: Garment Flat Sketch (rendered - solid color or fabric). Both Front and Back Sketches in Flat view to show the details appropriately. Page 2: Garment Flat Sketch with color combo details. All the Cut and Sew colors in Pantone (TPX) reference codes for all color combinations. Page 3: This page of the techpack is designed for Special Treatments on the garment if any (especially for Denims). These technical details are very useful for treatments like grinding, repair stitches, whiskers, scraping, swift tags, et.. Page 4: Construction & Pattern details on B&W Sketch. All the Sewing details with types...

Words: 428 - Pages: 2

Free Essay

Technical Analysis Indicators

...Indicators * Buy and sell indicators * Chaikin Oscillator * Calculated as the difference between a 3 period exponential moving average of Accumulation/Distribution and a 10 period EMA of AD * Buy when the oscillator moves above the zero line * Sell when it moves below zero * If the security makes a new high or low that is not confirmed by the chaikin oscillator, a potential reversal is pending * Ease of Movement * Reduces each period’s Rice and Volume to a single value that represents the ease at which prices are moving upward or downward * Buy when EMV crosses above the zero line, indicating ease of upward price movement * Sell when EMV crosses below the zero line, Indication ease of downward price movement * Force Index * Combines price changes and Volume into a single value that attempts to represent the magnitude of the force driving a rally or decline * When the smoothed Force index crosses the zero line, it indicates a change in trend and can be used as a buy/sell signal * Linear regression forecast * Calculates a “line of best fit” at each date, then plots the price value of that line at the specified point in time * Similar in display and interpretation to a moving average * MACD * Moving Average Convergence/Divergence is a price oscillator based on the difference between two moving averages * Sell when...

Words: 1769 - Pages: 8

Free Essay

Technical Analysis and Risk Management

...Objective: The objective of this paper is to test whether the technical analysis indicator MACD is effective in real trading. We will use the S&P 500 Index as our samples, and our main idea is to find the average return and VaR when we buy at the time MACD shows a “golden cross” and sell at the time when there is a “death cross”. MACD: Before we do the test, let’s start to define the MACD as well as its components. MACD is one of the most popular indicators used in the technical analysis. And it is mainly comprised of MACD line, signal line, and the histogram. MACD line and the signal line are calculated by using the EMA (exponential moving average) function, while the histogram is the difference between the MACD line and signal line. MACD line is the difference between exponential moving averages of 12 day stock price and the exponential moving averages of 26 days stock price. The signal line is the exponential moving averages of 9 day MACD. (12, 26, 9) is the well-recognized moving average lengths used in the industry, but can be altered with other appropriate numbers.  MACD Line = EMA [stockprice, 12] – EMA [stockprice, 26]  Signal Line = EMA [MACD, 9]  Histogram = MACD Line – Signal Line In technical analysis, there is a basic rule to apply the MACD into practice, say when the MACD line up crosses the signal line, the stock price is expected to rise in the short term, while the MACD later on down crosses the signal line, the stock price may be expected to go down...

Words: 943 - Pages: 4

Free Essay

How to Write a Technical Report

...HOW TO WRITE A TECHNICAL REPORT by Alan Smithee A report submitted in partial fulfillment of the requirements for ME 000 Some Course Department of Mechanical Engineering Fictitious Institute of Technology 01 January 9999 ABSTRACT Mechanics of writing a technical report is explained in a pseudo report format. The purpose of this pseudo report is to explain the contents of a typical engineering report. It can also be used as a template for an actual engineering report. With some adaptation, the format can be extended to other type of technical writings as well. TABLE OF CONTENTS ABSTRACT ................................................................................................................................i LIST OF FIGURES AND TABLES ......................................................................................... iii LIST OF SYMBOLS .................................................................................................................iv ACKNOWLEDGEMENTS ........................................................................................................v INTRODUCTION ......................................................................................................................1 EXPERIMENTAL DETAILS.....................................................................................................1 RESULTS AND DISCUSSIONS................................................................................................2 SECTION DESCRIPTIONS...

Words: 3413 - Pages: 14

Premium Essay

Industrial Training Technical Report Format

...INDUSTRIAL TRAINING TECHNICAL REPORT FORMAT Nigerian students studying science based courses in their 300 & 400 level depending on their course of study are supposed to embark on industrial training for a period of 3 months to one(1) year and this carries about 3-6 units in their second semester credit load. After the industrial training (I.T) period each student is supposed to write a technical report of his or her I.T experience this bears 25% of the total siwes marks. ALLOTMENT OF MARKS AS APPROVED BY ITF Log book Record/ Presentation: 25 marks Technical Report: 25 marks Attitudinal Observation: 10 marks Employers Report: 25 marks Oral interview by department (I.T defence): 15 marks. This makes technical report a major issue in gaining good grades from siwes. In writing a technical report the following format should be used COVER PAGE : This should contain the students name, department, matriculation Number, period of attachment (dates should be quoted), your employers name and location. DEDICATION PAGE for example . I dedicate this report to the almighty God. ACkNOWLEDGEMENT eg I will like to acknowledge my parents for their immense support, my lecturers and all who have contributed to this point in the success of my accademic pursuit. TABLE OF CONTENTS this should contain the afore mentioned and four chapters. CHAPTER 1 : This should contain the introduction, brief history of the firm where training was carried out and organisational chart. CHAPTER 2 : This...

Words: 295 - Pages: 2

Free Essay

Cis 408 Wk 10 Technical Paper

...CIS 408 WK 10 TECHNICAL PAPER To purchase this visit here: http://www.activitymode.com/product/cis-408-wk-10-technical-paper/ Contact us at: SUPPORT@ACTIVITYMODE.COM CIS 408 WK 10 TECHNICAL PAPER CIS 408 WK 10 Technical Paper - Planning an Application Server Migration Technical Paper: Planning an Application Server Migration Imagine you are working for a large international purchasing company that has just bought a growing local company that manufactures western wear at several locations (it’s a group of cottage industries; remember from the other scenarios that it now has eight (8) satellite offices, four (4) large and four (4) small ones). The previous owner, Sam Yosemite, tells his IT team to provide support and information to your IT staff to help with the transition to your forest domain. Gathering information from the other writing assignment descriptions, decide the best ways to bring the “Wild Frontier” network into your domain, “Foghorn Leghorn” and migrate to your current standards. The business acquisition is largely superficial and the existing personnel structures will remain in place. You have to bring the “Wild Frontier” under the “Foghorn Leghorn” domain and make sure production needs are met at all the satellite locations. Your budget is fairly generous due to allocated funds for the transition, but will likely be much more constrained in the future. Take maintenance costs (both money and man-hours) into consideration as you design your solutions...

Words: 913 - Pages: 4

Free Essay

Stock Market Analysis in Practice: Is It Technical or Fundamental?

...Journal of Applied Finance & Banking, vol.1, no.3, 2011, 125-138 ISSN: 1792-6580 (print version), 1792-6599 (online) International Scientific Press, 2011 Stock Market Analysis in Practice: Is It Technical or Fundamental? Gil Cohen1, Andrey Kudryavtsev2 and Shlomit Hon-Snir3 Abstract Investors use varies tools in the investment process. Some use technical or fundamental analysis, or both in that process. The aim of the following survey research is first, to examine differences between professional portfolio managers to amateur investors in their approach towards technical and fundamental analysis. Second, we want to study the difference of use of fundamental and technical tools in the buying versus selling stocks. We used online survey in one of the leading business portals in addition to asking professional investors in a leading investment house in Israel. Our results show no significant difference between professional and non-professional investors in terms of how frequently they use fundamental and technical investment tools. Both groups of investors use more frequently fundamental tools than technical when they make buy/sell decisions. We also found that non-professional investors use more fundamental tools such as "analysts' recommendations" when they buy stocks and more technical tools such as "support and resistance lines" when they sell stocks. Moreover, our study                                                               Economics and Management Department, The...

Words: 1882 - Pages: 8

Free Essay

Fundamental and Technical Analysis of Prime Bank Limited

...Fundamental & Technical Analysis of Prime Bank Ltd. Technical analysis looks at the price movement of a security and uses this data to predict its future price movements. Fundamental analysis on the other hand looks at economic factors which are known as fundamentals. Fundamental & Technical Analysis of Prime Bank Ltd. Group:16 Department of Finance. Jagannath University, Dhaka Page Fundamental & Technical Analysis of Prime Bank Ltd. Submitted To, Kawser Ahmed Shiblu Lecturer Department of Finance Jagannath University, Dhaka Submitted By Uttam Golder On the behalf of Group: 16 Department of finance Jagannath University, Dhaka Department of Finance. Jagannath University, Dhaka Page i Fundamental & Technical Analysis of Prime Bank Ltd. List of Group Member Serial 1. 2. 3. 4. 5. Name Uttam Golder Rajib Chandra Banik Md. Monir Hossain Joy Roy Choudhury Md. Al-Masur Rahaman Khan ID M 130203004 M 130203025 M 130203069 M 130203033 M 130203077 Department of Finance. Jagannath University, Dhaka Page ii Fundamental & Technical Analysis of Prime Bank Ltd. Letter of Transmittal February 15, 2015 Kawser Ahmed Shiblu Lecturer Department of Finance, Jagannath University, Dhaka Subject: - Submission of report on “Fundamental & Technical Analysis of Prime Bank Ltd.” Dear Sir, With due respect, we would like to state that it is a matter of great pleasure and honor for us to submit our report on...

Words: 54237 - Pages: 217

Free Essay

The Benefit of Using Technical and Fundamental Analysis in Stock Trading

...ABSTRACT The research question of this study is whether the weighted moving average as a technical method and simple trading plan as a fundamental approach can help Indonesian trader and/or investor in gaining consistent profit. The finding of this study will be useful to all the traders because it will show whether the usage of both fundamental and technical analysis will give better result than just using one of them as an analysis method. Upon answering the research question, researchers went through a deductive cross-sectional study by surveying companies in the Indonesia stock exchange to explain the effect of using both technical and fundamental analysis to analyze the price fluctuation of stocks. The data collection method is quantitative data collection by taking the sample of 5 companies from 5 different sector industries and then analyze the data gathered using the proposed analyzing technique: technical and fundamental analysis method. Keywords : Technical analysis, Fundamental analysis, Stock price I. Introduction Like any other countries around the world, Indonesia has a financial market that consists of several investment choices available for public, such as: Stocks, Bonds, Foreign Exchange, Futures, etc. Those investment choices have different level of liquidity, risk and return profile. Stocks are one of the basic types of investment based on the corporate venture. Moreover stocks are popular for Indonesian investors and traders because it gives...

Words: 3748 - Pages: 15