
Data Structure
Networking
RDBMS
Operating System
Java
MS Excel
iOS
HTML
CSS
Android
Python
C Programming
C++
C#
MongoDB
MySQL
Javascript
PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Uncommon Representation of Array Elements in C++ Program
An array is a linear data structure that stores elements the same data type. To access a single data element of the array, there is a standard way that is commonly used.
Syntax
array_name[index];
Example
#include <iostream> using namespace std; int main( ){ int arr[2] = {32,65}; printf("First Element = %d\n",arr[0]); printf("Second Element = %d\n",arr[1]); return 0; }
Output
First Element = 32 Second Element = 65
Now, there is another method that can provide the same output as the above.
Syntax
index[array_name];
Example
#include <iostream> using namespace std; int main( ){ int arr[2] = {32,65}; printf("First Element = %d\n",0[arr]); printf("Second Element = %d\n",1[arr]); return 0; }
Output
First Element = 32 Second Element = 65
Let’s take under consideration both the cases −
arr[0] would be *(arr + 0) pointer that points to a value.
0[arr] would be *(0 + arr) pointer that points the same as the former one does.
Both the pointers point to the same memory address.
Advertisements