Amazon

Friday, October 4, 2013

Sorting Algorithms Comparison

 I have been working on sorting algorithms during the last week and I thought it would be worth writing a small article about it. Trying to sort an array "brute-force" in any programming language would almost always take ages and could lead to memory overflows. Fortunately, many efficient sorting algorithms have been designed. However, not every algorithm is as efficient and each algorithm performs better or worse in some given situations. As a starting point, let's first illustrate the complexity of five famous algorithms (I am not a big fan of Bubble Sort but it's also worth to show bad examples in order to fully illustrate a topic):

Furthermore, in order to illustrate better the overall complexity of each algorithm, let's look at the running time of each algorithm for various array sizes in three very different situations: - when the array is already sorted (which leads to best case scenario for some algorithms but as we will see, not all of them). - when the array is already sorted but in reverse order (leads to worst case scenario for simple algorithms). - when the array is randomly ordered.


Sorted array:


Reverse sorted array:



Randomly sorted array:


We randomly sorted the array by generating its elements with the following routine:

int arraySize = 10000 ;
int array[arraySize] ;
srandom(time(NULL)) ;
for (int i = 0 ; i < size ; i++)
    array[i] = random() % size ;
 
(Note that '-' simply means that I did not have the patience to 
wait for the algorithm to return... You get the idea anyway). 
 
The first comment we can make out of this data is that Merge Sort performs indeed quite well on average and does not give bad results even in the worst case. However, for each situation it is outperformed by another algorithm, Bubble and Insertion Sorts when the array is already sorted and Quick Sort when the array is randomly sorted. The reason is that when the array is already sorted, simple algorithms such as Bubble Sort and Insertion Sort reach their best case scenario (but reaching their worst case scenario if the array is sorted in reverse order). Furthermore, even if Quick Sort and Merge Sort have same complexity on average and in best case scenario, the constants (hidden by the big-O notation) are much smaller in Quick Sort leading to a smaller running time on average. However, the pitfall is that Quick Sort performs bad in the worst case scenario so it can be quite of a risky alternative.
So, even if we can consider Merge Sort a "safe alternative" that guarantee good results in any case, it is very often simply not the best option. The reason is mainly that the worst-case scenario is after all really rare and believe it or not, half of the time you try to sort an array, it is actually already sorted. In that case, Merge Sort will still perform in O(nlogn) while Insertion Sort for instance will perform in O(n).
So my piece of advice is:
  • analyse the problem carefully before deciding the sorting algorithm.
  • often, for small arrays or arrays that are already (or almost) sorted, Insertion Sorting will do the job and even perform better than a more complex algorithm.
  • if you care about memory, avoid Merge Sort since it basically uses loads of temporary arrays that will easily overflow your memory.
  • even if Quick Sort has a O(n2) worst case, remember that worst case is often rare and Quick Sort will perform much better that Merge Sort on average since its constants (hidden by the big-O notation) are actually much smaller.

Following is a C implementation of the five algorithms.

BUBBLE SORT

void bubbleSort(int array[], int min, int max)
{
    // loop through every item in the array
    for (int i = min ; i <= max ; i++)
    {
        // loop a second time from the back of the array
        for (int j = max ; j > i ; j--)
        {
            // swap the elements if necessary
            if (array[j-1] > array[j])
            {
                int copy = array[j-1] ;
                array[j-1] = array[j] ;
                array[j] = copy ;
            }
        }
    }
}


INSERTION SORT

void insertionSort(int array[], int min, int max)
{
    int key ;
    // we loop through all elements in the original array from the second element
    for (int j = 1 ; j <= max ; j++)
    {
        // store the current element as the key
        key = array[j] ;
        // get the element just before the current element
        int i = j - 1 ;
        // loop through all elements from the key to the start
        // check if the current element is smaller than the key
        while (i >= 0 && array[i] > key)
        {
            // we move the current element backward
            array[i+1] = array[i] ;
            i-- ;
        }
        // we finally move the key
        array[i+1] = key ;
    }
}  
 
 

MERGE SORT

void mergeSort(int array[], int min, int max)
{
    // prerequisite
    if (min < max)
    {
        // get the middle point
        int mid = (int)floor((max+min)/2) ;
        
        // apply merge sort to both parts of this
        mergeSort(array, min, mid) ;
        mergeSort(array, mid+1, max) ;
        
        // and finally merge all that sorted stuff
        merge(array, min, max, mid) ;
    }
}

void merge(int array[], int min, int max, int mid)
{
    int firstIndex = min ;
    int secondIndex = mid + 1 ;
    int index = min ;
    int tempArray[max] ;
    
    // if there are still objects in both arrays
    while ((firstIndex <= mid) && (secondIndex <= max))
    {
        if (array[firstIndex] < array[secondIndex])
        {
            tempArray[index] = array[firstIndex] ;
            index++ ;
            firstIndex++ ;
        }
        else
        {
            tempArray[index] = array[secondIndex] ;
            index++ ;
            secondIndex++ ;
        }
    }
    
    // terminates the object of the lower array
    while (firstIndex <= mid)
    {
        tempArray[index] = array[firstIndex] ;
        index++ ;
        firstIndex++ ;
    }
    
    // terminates the object of the upper array
    while (secondIndex <= max)
    {
        tempArray[index] = array[secondIndex] ;
        index++ ;
        secondIndex++ ;
    }
    
    // transfer to the initial array
    for (int i = min ; i < index ; i++)
        array[i] = tempArray[i] ;
} 
 
 
 
HEAP SORT

// returns the left node (by doubling the current node)
int leftNode(int node)
{
    return node << 1 ;    // this actually does 2*node
}

// returns the right node (by doubline the current node and adding 1)
int rightNode(int node)
{
    return (node << 1) + 1 ; // this actually does 2*node+1
}

// return the parent node (by taking the half of the
// current node and returning its floor)
int parentNode(int node)
{
    return (int)floor(node/2) ;
}

// restore the heap property
void maxHeapify(int array[], int i, int heapSize)
{
    // get the two children nodes
    int left = leftNode(i) ;
    int right = rightNode(i) ;
    
    // assume that the largest is originally the current node
    int largest = i ;
    
    // check if the left node is the largest
    if (left <= heapSize && array[left] > array[i])
        largest = left ;
    
    // check if the right node is the largest
    if (right <= heapSize && array[right] > array[largest])
        largest = right ;
    
    // in case the left or right node was larger than the parent
    if (largest != i)
    {
        // we switch the parent with the largest child
        int temp = array[i] ;
        array[i] = array[largest] ;
        array[largest] = temp ;
        
        // and apply maxHeapify recursively to the subtree
        maxHeapify(array, largest, heapSize) ;
    }
}

// build the heap by looping through the array
void buildMaxHeap(int array[], int heapSize)
{
    for (int i = (int)floor(heapSize/2) ; i >= 0 ; i--)
        maxHeapify(array, i, heapSize) ;
}

void heapSort(int array[], int arraySize)
{
    // determine the heap size
    int heapSize = arraySize ;
    
    // build the heap
    buildMaxHeap(array, heapSize) ;
    
    // loop through the heap
    for (int i = heapSize ; i > 0 ; i--)
    {
        // swap the root of the heap with the last element of the heap
        int temp = array[0] ;
        array[0] = array[i] ;
        array[i] = temp ;
        
        // decrease the size of the heap by one so that the previous
        // max value will stay in its proper placement
        heapSize-- ;
        
        // put the heap back in max-heap order
        maxHeapify(array, 0, heapSize) ;
    }
}


QUICKSORT

int partition(int array[], int min, int max)
{
    // define a pivot as the max item of the (sub)array
    int pivot = array[max] ;
    int i = min - 1 ;
    // loop through the elements of the (sub)array
    for (int j = min ; j < max ; j++)
    {
        // in case the element has a smaller value that the pivot
        // bring it in front of it (larger elements will come after it)
        if (array[j] <= pivot)
        {
            i++ ;
            int temp = array[i] ;
            array[i] = array[j] ;
            array[j] = temp ;
        }
    }
    // bring the pivot to its correct position
    int temp = array[i+1] ;
    array[i+1] = array[max] ;
    array[max] = temp ;
    
    return i+1 ;
}

void quickSort(int array[], int min, int max)
{
    if (min < max)
    {
        // partition the array in two parts
        int q = partition(array, min, max) ;
        // apply QuickSort recursively to both parts
        quickSort(array, min, q-1) ;
        quickSort(array, q+1, max) ;
    }
}


                                                                                                                       Source : here

Wednesday, October 2, 2013

Shahrukh Khan's speech at AIMA NMC

AIMA speech

Good evening everyone. Let me say it at the outset….ITS REALLY SCARY HERE!. The biggest managers of the biggest corporations in the biggest convention for management...AIMA. Really it’s a sad reflection that in such an august company of
people and such a collection of skill set...and big business houses and managers.. . all you could manage was to get a speaker from Bollywood to speak at the convention. Economy must really be bad.
But who am I to speak about the economical downtrend across the globe etc, or anything else for that matter..... just reading the topics being discussed before I came on stage.. .1 was frightened. Shit scared. Couldn’t understand a word.
COULD FINANCIALISATION OF COMMODITIES BE USED TO INCENTIVISE SUPPLY GROWTH WITHOUT INFLATING PRICES...?
Yeah if u say so.. . or no if you are in a bad mood sir.
Managing liquidity...supply crunch...risk of npa...csr mandate...ceos...coos...cfos...ufos...mind boggling and numbing for a person like me...who can just about say kkkkcorporate management without falling over his own shoelaces. And I have to speak about Courage in this scared and ill informed mindset of mine.
But here I am and so are all of you wonderful people. I wish you a great convention and a happy economy.. .and I want to thank my friend Shiv for giving me this opportunity to speak in front of such an extraordinary amazement of grey matter....all you highly successful...perhaps the most successful people in the world and give a speech on success...!!
Am I the only one who is seeing this irony or are you all too busy holding back your laughter as to what I will say here.
Apart from my lack of knowledge and fear the only other problem is that I am really not good at giving discourses on how to be successful. I am not good at this because I don’t really know what can I say to you highly motivated people that you don’t already know...about life ...business and success.
So I will bore you with a few details of my life and how I got to be a movie star...and mainly talk about success and how it came to be. Let me forewarn you, this is a recycled speech. Whenever I am called to give speeches at ypo or some such big organisation...I use this speech. Its generic... simple... and makes me give no
commitment in our first meeting. Somewhat like
the corporate world itself.
The biggest problem with success is that any narrative of success is bound to be at least a little bit dull...because its not your story. I have sat down with people who tell me their stories of success...and I am like...man...get the hell out of my sight...if I want to feel jealous...I will see
some other actors successful film...I don’t need
the story of your life. Second..and more importantly so...successful people are almost never able to pinpoint what it was that made them so.
Take Warren Buffet. Here’s a guy who must get
asked five times a day how he became the most
successful investor of his era. His answers —
“Reinvest your profits,” “Limit what you borrow,” etc.—are no different from what any
fool could tell you. Buffet isn’t being cagey. He simply doesn’t know. Success is a wonderful thing, but it tends not to be the sort of experience that we learn from. We enjoy it; perhaps we even deserve it. But we don’t acquire wisdom from it. And maybe that’s why it cannot be passed on either...me being successful does not mean my children will also be so...how much ever I teach them what all I did in my life and even if they follow it to the letter. Success just happens. Really.
So talking about how to become successful is a waste of time... instead let me tell you very honestly...whatever happened to me happened because I am really scared of failure. I don’t want as much to succeed as much as I don’t want to fail. I come from a very normal lower middle class family...and I saw a lot of failure. My father was a beautiful man...and the most successful failure in the world...my mom also failed to stay with me long enough for her to see me become a movie star. We were quite poor actually at certain junctures of our lives...and I have even experienced a kurkee...where they throw you and your house stuff on the roads. Let me tell you...poverty is not an ennobling experience at all. Poverty entails fear and stress and sometimes depression...1 had seen my parents go through it many times. It means a thousand petty humiliations and hardships. At an early age after my parents died...I equated poverty with failure. I just didn’t want to be
poor. . . .so when I got a chance to act in films it
wasn’t out of any creative desire that I signed
my films...it was just purely out of the fear of
failure and poverty that I signed most of my
initial films. Most of them were discards of actors and the producers could not find anyone
else to do them. Deewana was discarded by Armaan Kohli...Baazigar was rejected by Salman Khan and Darr was negated by Aamir Khan. I did them all for just making sure that I was working to avoid unemployment. The timing..or something was right, and that made them happen and I became a big star. I asked Dilip Kumar sahib once...that why he did Devdas...and he looked at me and said...for the money yaar. Bimalda paid me one lac of rupees....I didnt know it would be such a great
film and make me such a huge actor....that’s
the only reason I did Devdas. Which means sometimes our success is not the direct result of our actions...it just happens on it’s own and we take credit for it...out of embarrassment sometimes.
So I believe the true road to success is not just the desire for success but a fear of failure. I tell everyone if you don’t enjoy and be scared of you failure hard enough.. .you will never succeed. I am not going to stand here and tell you that failure is fun. . .but I will insist and hope that all of us...should experience failure in some measure. The extent of what each one of us perceives as failure may differ...as it should. . .but I believe one needs to pass through some stages of failure if they really want to succeed.
So how does failure help us.
1. First and foremost..its not the absence of failure that makes you a success...it is your response to failure that actually helps to buffer the reverses that you experience. I for
one have two responses to failure...first is
pragmatism.. .a recognition and belief that if one approach does not work...then the other will or might. The second response is fatalism. I fool myself that it was bound to happen and I need to move on..not get caught up in the oft repeated question...God why does it happen to me ???
2. Failure also gives me an incentive to greater
exertion...harder work...which invariably leads to later success in most cases.
3. Failure is an amazing teacher...if you don’t fail...you will never learn...and if you don’t learn...you will never grow. There is a well- known story of a bank president who was asked the secret of his success. “Right decisions,” he replied. “How do you get to know how to make right decisions?” came the follow-up question. “Experience,” was the answer. “Well, how do you get experience?” asked his interrogator. “Wrong decisions,” he replied.
4. Sometimes it has taught me stop pretending that I am someone else than what I am supposed to be. It gives me a clear cut direction that hey...maybe I am not supposed to be doing this... let me just concentrate on finishing and doing things that really matter to me..that define me...instead of following a particular course that actually is taking me away from what really my core liking is. KKR my cricket team is one such example, till through the advice of my friends like Shiv I took on a ceo and whole new department that would
handle the job better.
5. Failure also gets you to find...who your real friends are. The true strength of your relationships only get tested in the face of strong adversity. I lost lots of friends post Ra.One apart from losing a lots of audience too and post Chennai Express, I am happy to tell you though I haven’t made any new friends...1 have a whole new set of enemies.
6. Regular failures...also have taught me empathy towards others. Being a star...it is easy to be prone to the notion that I am superior...self sufficient...and fantastic..instead of realizing that I was just plain lucky or got some lucky breaks.
7. Overcoming some of my failure has made me discover that I have a strong will...and more discipline than I suspected. It has helped me have confidence in my abilty to survive.
So all in all I think failure is a good thing. Won’t
bore you with more details of how failure is a
good thing...cos you wont call me back again for a talk on success etc next time...but would like to tell you all...that life is a not just a check
list of acquisitions, attainments and fulfillments. Your qualifications and c.v. don’t really matter. Jobs don’t matter. Instead life is difficult and
complicated...and beyond anyone’s control and the humility to know that by respecting your failures will help you survive it’s vicissitudes.
There is the greatest practical benefit in making
a few failures in life. I say making because failure is not an exterior force, I believe it happens due to our own actions and reactions, in such convoluted ways that we may not understand, but we are the reason for it. So don’t be weighed down by it, cherish the experience and learn from it. By experiencing all and accepting it, will you experience success, not in isolation of life’s full offerings.
Let me conclude by saying that my hope for you is a lifelong love of learning, exciting and
inspiring dreams, businesses, profits, deals,
power lunches or whatever turns you guys and girls on but alongside I wish you a fair number of moderate failures too. By experiencing all, I hope that you will experience success.
Success is never final....just like failure is never
fatal.
Courage is ill defined if we think it is doing
something macho...risky or chancy. If that happens at somebody else’s others cost, its even less courageous. Courage is doing what YOU are afraid to do. Personally scared to do in whichever capacity you work. There can be no courage unless you are scared. So be scared...to feel the courage. Be fearful. I believe one has to have the fear of failure so much...that you get the courage to succeed.
So that’s my learned piece on courage in success. Or what I call THE SUCCESS OF FAILURE....AND BEING SCARED ENOUGH TO BE COURAGEOUS, TO MAKE IT SO.
OR IF I WAS TO PUT IT IN THE WORDS THAT SURROUNDED ME AND I WAS SCARED OF, WHEN I ENTERED THIS AUGUST GATHERING....
THE THEORY OF: THE MANAGEMENT OF HIGH RISING FAILURE TO CONVERT IT INTO SUCCESS BY GROWTH INDEX OF 100 PERCENT, WHILE UNDERSTANDING THE INDICES OF FEAR AND NOT COMPROMISING THE SYNTAX OF OUR COURAGE GLOBALLY, WHILE KEEPING A HOLISTIC 360 DEGREE VIEW OF OUR DOMESTIC MARKET THROUGH RIGOROUS SYSTEM AND PROCESSES.
In simple terms or film language it means....If at first you don’t succeed...reload and try again.
SHOOT FAST... SHOOT FIRST and be ready to take a bullet too....and remember what Don said..... iss company ki management ke dushman ki sabse badi galati yeh hai....ki woh isS company ka dushman hai...kyunki jab tak dushman apni pehli chaal chalta hai....yeh company apni agli chaal chal chuki hoti hai.....
Thank you very much all. I am open to all kinds of questions and answers now.. . SPECIFIC AREAS OF INTEREST TO YOU ALL OR GENERAL CHITTER

Thursday, September 19, 2013

IBM GBS Off Campus Referral Drive for 2012/2013 passout

IBM GBS Off Campus Referral Drive for 2012/2013 Passout


Eligibility Criteria
Highest Degree     -     BE, B.Tech, ME, M.Tech, MCA
Branches     -     All branches except Pharma and Fashion Technology.
Passout Year     -     2012 and 2013 only
Cut-off        
PG, UG, XII, X     -     70%




Sent me with updated resume on  Email: wall_e_tech@yahoo.in.

Tuesday, August 27, 2013

How to remove virus which is creating shortcuts in a drive?


Click on "Start" -->Run --> type cmd and click on OK.

Here I assume your flash drive letter as G:

Enter this command.

attrib -h -r -s /s /d g:\*.*

You can copy the above command --> Right-click in the Command Prompt and

paste it.

Note : Don't forget to replace the letter g with your flash drive letter.

Wednesday, August 14, 2013

Best Sites, worth visiting......

Best Sites, worth visiting......
==================
Programming
==================
http://c-faq.com/
http://www.codechef.com/
http://www.spoj.pl/
http://community.topcoder.com/tc
==================
Tech News
==================
http://techcrunch.com/
http://gigaom.com/
http://textanalytics.metrinomics.com/
==================
Interview Preparation
==================
http://www.geeksforgeeks.org/
http://www.indiabix.com/
http://www.interviewstreet.com/
==================
Open Course
==================
https://www.coursera.org/
http://ocw.mit.edu/index.htm
https://www.khanacademy.org/
==================
Machine Learning
==================
http://textanalytics.metrinomics.com/
==================
Python
==================
http://www.learnstreet.com/lessons/study/python
https://developers.google.com/edu/python/

=================================
suggest more by commenting below

Wednesday, August 7, 2013

श्रावण मासी हर्ष मानसी हिरवळ दाटे चोहिकडे

श्रावण मासी हर्ष मानसी हिरवळ दाटे चोहिकडे,
क्षंणात येते सर सर शिरवे क्षंणात फिरुनि ऊन पडे

वरती बघता इंद्र धनुचा गोफ दुहेरी विणलासे
मंगल तोरण काय बांधले नभोमंडपी कुणी भासे

झालासा सुर्यास्त वाटतो,सांज अहाहा तो उघडे
तरु शिखरावर उंच घरावर पिवळे पिवळे उन पडे

उठती वरती जलदांवरती अनंत संध्याराग पहा
सर्व नभावर होय रोखिले सुंदरतेचे रुप महा

बलाकमाला उडता भासे कल्पसुमांची माळचि ते
उतरुनि येती अवनीवरती ग्रहगोलचि की एकमते

फडफड करुनि भिजले अपुले पंख पाखरे सावरती
सुंदर हरिणी हिरव्या कुरणी निजबाळांसह बागडती

खिल्लारे ही चरती रानी गोपही गाणी गात फिरे
मंजूळ पावा गा‌ई तयांचा श्रावण महिमा एकसुरे

सुवर्ण चंपक फुलला विपिनी रम्य केवडा दरवळला
पारिजातही बघता भामा रोष मनीचा मावळला

सुंदर परडी घे‌ऊनि हाती पुरोपकंठी शुध्दमती
सुंदर बाला या फुलमाला रम्य फुले पत्री खुडती

देवदर्शना निघती ललना हर्ष मावे ना हृदयात
वदनी त्यांच्या वाचून घ्यावे श्रावण महिन्याचे गीत

- बालकवी

Tuesday, July 23, 2013

दोन क्षण पुरेसे आहेत............................................................

एसी ची हवा नको,
झाडाखालची एक थंड झुळूक पुरेसी आहे.
बर्फाचे खडे नकोत,
माठातील वाटीभर थंड पाणी पुरेसं आहे.

वाढदिवसाला मोठासा केक नको,
थोडीसी पेस्ट्री  पुरेसी आहे .
दिव्यांचा टिमटिमाट नको,
एक मेणबत्ती पुरेसी आहे .

फटाकड्यांची अतिशबाजी नको,
एक टिकली पुरेसी आहे.
डी ज्जे चा गोंगाट नको,
एक कुसुमाग्रजांची कविता पुरेसी आहे.

गप्पा गोष्टी नकोत,
दोन गोड शब्द पुरेसे आहेत.
तासंतास फोनवर कशाला ?
एक प्रामाणिक विचारपूस पुरेसी आहे.

कचऱ्यानी, प्रेमी युगलान्नी भरलेले पार्क नकोत,
गावाकडचे चांदणे पुरेसे आहे.
मल्टीप्लेक्स मधील सिनेमे नकोत
आजीची गोष्ट पुरेसी आहे.

पिज़्ज़ा,बर्गर नकोत,
मेथीची भाजी आणि भाकरी पुरेसी आहे.
सणावाराला दुकानातील महागडी मिठाई नको
पूरण पोळी पुरेसी आहे.

मोठे, सुगंधी अत्तरे नकोत
देवासमोरिल उदबत्ती पुरेसी आहे
दररोज ची पोपट पोपटपंची नको
एक आठवण पुरेसी आहे .


महागडी गिफ्ट्स नकोत .
सोबतीचे दोन क्षण पुरेसे आहेत .
आयुष्यभराची साथ मिळेल याची अपेक्षा  नाही
आयुष्य भर जीण्यासाठी दोन क्षण पुरेसे आहेत.

------------- परमू

Thursday, July 11, 2013

Last dialogue from Raanjhanaa..

Last dialogue from Raanjhanaa..
.
बस... इतनी ही कहानी थी मेरी
एक लड़की थी जो बगल में बैठी थी,
कुछ डॉक्टर थे अभीभी इस उम्मीद में थे की शायद मुर्दा फिर से चल पड़े।
एक दोस्त था जो पागल था ,
एक और लड़की थी , जिसने अपना सब कुछ हार दिया था मुझपे ,
मेरी माँ थी मेरा बाप था , बनारस की गलिया थी ,
और ये एक हमारा शरीर था जो हमें छोड़ चूका था ।
और ये एक हमारा सीना था , जिसमे अभी भी आग बाकी थी,
हम उठ सकते थे , पर किसके लिए , हम चिक सकते थे,पर किसके लिए ।
मेरा प्यार झोया, बनारस की गलिया , बिंदिया , मुरारी ,
सब मुझसे छुट रहा था,पर रख भी किसके लिए लेते ।
मेरे सीने की आग या मुझे जिन्दा कर सकती थी या फिर मुझे मार  सकती थी ।
पर साला अब उठे कौन , कौन फिर से मेहनत करे दिल लगाने को दिल तुडवाने को ,
अब कोई तो आवाज देके रोकलो...।
ये लड़की जो मुर्दा सी आँखे ले बैठी है बगल में ,
आज भी हाँ बोल दे तो , महादेव की कसम वापस आजाये ,
पर नहीं , अब साला मुड नहीं , आँखे मुंद लेने में ही सुख है , सो जाने में ही भलाई है ।
पर उठेंगे किसी रोज , उसी गंगा किनारे डमरू बजाने को,
उन्ही गलियों में दौड़ जाने को , किसी झोया के इश्क में पड़ जाने को ।

Thursday, July 4, 2013

यश

* मनाशी एखादी कल्पना ठरवा. त्यानंतर तुमचं सारं आयुष्य त्या कल्पनेच्या पूर्ततेसाठी झोकून द्या. मनात फक्त तिचाच विचार असू दे. स्वप्नातही तीच दिसू दे. तुमच्या जीवनाच्या प्रत्येक क्षणात ती असू दे. तुमच्या शरीराचा अणू-रेणू त्याच ध्येयाने पछाडलेला असू दे. बाकी साऱ्याचा विचारही सोडून द्या. यशाचा मार्ग हाच आहे.
स्वामी विवेकानंद
* जर यशस्वी व्हायचं असेल तर तुमची यशासाठीची तळमळ अपयशाच्या भीतीपेक्षा कित्येक पटीनं जास्त हवी.
     बिल कॉस्बी, अभिनेते, लेखक
* ज्यांच्यात प्रचंड अपयश पचवण्याची धमक असते, तेच भव्यदिव्य यश संपादन करू शकतात.
     रॉबर्ट एफ. केनेडी, राजकीय नेते
* यश संपादन करताना काय काय गोष्टी तुम्ही गमावून बसलात, काय काय गोष्टी तुम्हाला सोडून द्याव्या लागल्या, याचा विचार करा आणि त्यावरच यशाचं मोजमाप करा.
     दलाई लामा, तिबेटी धर्मगुरू
* कधीच चुका न करणं म्हणजे यश नाही; तर एकच चूक दुसऱ्यांदा न करणं ही गोष्टच तुम्हाला यशप्राप्तीकडे घेऊन जात असते.
     जॉर्ज बर्नार्ड शॉ, प्रसिद्ध नाटककार
* अपयश? छे! मी कधीच अपयशी ठरत नाही. माझ्या अवतीभवतीचे लोक माझ्यापेक्षा जरा जास्ती यशस्वी ठरतात, इतकंच!
     कॅरोल ब्रायन (प्राध्यापक, लेखिका)
* आयुष्यात दोन गोष्टी महत्त्वाच्या! एक म्हणजे दुर्लक्ष करायला शिकणं आणि दुसरी आत्मविश्वास बाळगणं. एवढं जमलं की मग यश निश्चित!
     मार्क ट्वेन, प्रसिद्ध लेखक
* यशस्वी व्यक्ती कोणती? तर जिच्यावर समाजाने फेकलेल्या टीकेच्या दगडविटांतूनच एक पक्का, भक्कम पाया जिला बनवता येतो ती व्यक्ती!
     डेव्हिड ब्रिन्कले, पत्रकार
* यश हा एक प्रवास आहे. ते केवळ अंतिम ठिकाण किंवा साध्य नव्हे.
     बेन स्वीटलँड, लेखक
* एखादी व्यक्ती आयुष्यात कोणत्या पदावर जाऊन बसली किंवा तिनं काय मिळवलं यावर तिचं यश मोजू नये, हे मी शिकलोय. यश मिळवण्यासाठी तिने जे प्रयत्न केले, ते करताना तिला कोणत्या अडथळ्यांना सामोरं जावं लागलं, ते कसे दूर केले यावर तिचं यश मोजलं जावं.
     बुकर टी. वाँशिग्टन, प्रसिद्ध लेखक, वक्ता व नेता
* जर योग्य मानसिक दृष्टिकोन असेल तर अंतिम साध्य गाठण्यास, यशस्वी होण्यास माणसाला कोणीही अडवूच शकणार नाही. तो यश मिळवणारच. पण मानसिक दृष्टिकोनच जर चुकीचा असेल तर त्याला कोणी यश मिळवूनही देऊ शकणार नाही हे निश्चित!
     थॉमस जेफर्सन, अमेरिकेचे तिसरे राष्ट्राध्यक्ष
* अपयशामागून अपयशाचा सामना करत तेवढय़ाच उत्साहाने सतत वाटचाल करत राहणं हाच यशप्राप्तीचा मार्ग असतो.
     विन्स्टन चर्चिल , ब्रिटनचे माजी पंतप्रधान
* अपयशातूनच यशाचा मार्ग चालत राहा. मनोधर्य खच्ची होणं आणि अपयश हे दोन्ही यशाचे खात्रीशीर 'स्टेपिंग स्टोन्स' आहेत.
     डेल कान्रेजी, प्रसिद्ध लेखक
* प्रत्येक यशाची गुरुकिल्ली एकच! ती म्हणजे कृती करत राहणं.
     पाब्लो पिकासो,  चित्रकार
* यश मिळवणं? अगदी सोपी गोष्ट आहे ही! फक्त योग्य वेळी, योग्य प्रकारे योग्य ती कृती करत राहा.
     अरनॉल्ड ग्लासो, प्रसिद्ध उद्योजक
* यश म्हणजे काय? मला वाटतं यश हे अनेक विचारांचं अजब मिश्रण असतं. तुम्ही जे करताय, तेवढंच पुरेसं नाही, तुम्हाला आणखी कष्ट करायला हवेत आणि या सगळ्यात काहीतरी प्रयोजनही नक्की हवं. यश या साऱ्या विचारातून घडत जातं.
     मार्गारेट थॅचर, ब्रिटनच्या माजी पंतप्रधान
* तुम्हाला यश मिळवायचं असेल तर यशस्वी होण्याचं अंतिम ध्येय मनाशी बाळगू नका. फक्त तुम्हाला जे करायला आवडतं ते मनापासून करत राहा. त्यावर विश्वास ठेवा. यश आपोआप मिळेलच.
     नॉर्मन विन्सेन्ट पील, 'पॉझिटिव्ह िथकिंग' विषयक पुस्तकांचे लेखक
* सहजसोप्या आणि निवांत पद्धतीने व्यक्तिमत्त्व घडत नसतं. प्रचंड कष्ट, अडचणी, त्रास यातूनच आत्मा कणखर बनत जातो. अविचल दृष्टी लाभते, महत्त्वाकांक्षा फुलतात आणि यश मिळत जातं.
     हेलन केलर
* तुम्हाला अमुक एक गोष्ट चांगली आहे किंवा तमुक गोष्टीवर विश्वास ठेवा असं सांगितलं गेलं, तरी तुम्ही प्रत्यक्षात तुम्हाला स्वतला जे ठाऊक आहे ते जास्त महत्त्वाचं असतं. त्यावर जेव्हा विश्वास ठेवता तेव्हाच तुमचं तुम्ही भव्य स्वप्न साकारण्याच्या मार्गावर पाऊल ठेवता. यशाचा आविष्कार तुमच्या आतूनच होत असतो.
     राल्फ वाल्डो इमर्सन, लेखक व कवी
* आपल्या प्रत्येकाच्या स्वतच्या अशा खास इच्छा असतात. प्रत्येकाच्या बोटांचे ठसे जसे वेगळे आणि खास तशाच त्या वेगळ्या असतात. यशस्वी होण्याचा उत्तम मार्ग म्हणजे तुम्हाला काय आवडतं, तुमचं कशावर प्रेम आहे, याचा शोध घेणं. त्यानंतर इतरांना सेवा म्हणून ते उत्तम प्रकारे देऊ करणं, खूप कष्ट करणं आणि या विश्वातल्या ऊर्जेच्या मार्गदर्शनाखाली यश संपादन करणं.
     ऑप्रा विन फ्रे, टीव्ही शो अ‍ॅन्कर, सामाजिक कार्यकर्त्यां
* सामान्य गोष्टी असामान्य पद्धतीने उत्तम करणं हेच यशप्राप्तीचं गुपित आहे.
     जॉन डी. रॉकफलेर, प्रसिद्ध उद्योगपती व विचारवंत
* एखादी नवी गोष्ट तुम्ही करायला घेतली की प्रथम लोक तुमच्याकडे दुर्लक्ष करतील, नंतर तुमची खिल्ली उडवतील, मग तुमच्याशी भांडतील. त्यानंतर अखेरीस तुम्ही जिंकता.. त्यानंतरच तुम्हाला यशस्वी मानलं जाईल.
     महात्मा गांधी, राष्ट्रपिता
* अपार कष्ट आपल्या कामाप्रती अविचल निष्ठा आणि आपण जिंकू किंवा अपयशी ठरू याची तमा न बाळगता आपल्या कामात १०० टक्के झोकून देण्याचा, पूर्ण शक्ती लावून ते काम करण्याचा निश्चय या गोष्टीतूनच यश साकारत जातं. म्हणूनच यशस्वी व्यक्ती आणि इतरांच्यातला फरक काय? इतरांकडे क्षमता नसतात, ताकद नसते किंवा ज्ञान नसते असं नाही. पण यशस्वी व्यक्तींमध्ये जी आंतरिक तळमळ आणि इच्छा असते, त्याची कमी इतरांमध्ये असते.
     विन्सेट (विन्सी) लोम्बार्डी, ख्यातनाम फूटबॉलपटू
* यशाची 'रेसिपी': नम्रता अंगी असावी, जे काम तुमच्यावर सोपवलंय, ते पार पाडण्याची मानसिक तयारी असावी, उत्साही व व्यवस्थित राहावं. कधीही कुणाबद्दल द्वेषभावना नसावी, नेहमी प्रामाणिक राहा. तरच तुम्ही इतरांशी प्रामाणिकपणे वागू शकाल, इतरांच्या मदतीला तत्पर राहा, स्वतच्या कामात रस घ्या, कधी स्वतला इतरांच्या नजरेत दयनीय बनवू नका, इतरांची स्तुती करण्यात तत्परता दाखवा. मत्रीत निष्ठा असू द्या, पूर्वग्रह झटकून टाका, स्वतंत्र वृत्ती अंगी बाणवा..
     बनॉर्ड बॅरूच, अर्थतज्ज्ञ व राजकीय सल्लागार
* समाजाला हितकारक ठरतील अशा कृती करणं आणि त्या प्रक्रियेचा आनंद घेणं म्हणजे यश! यावर तुमचा विश्वास असेल, अन् ही व्याख्या तुम्ही मनापासून स्वीकारत असाल, तर 'यश' तुमचंच आहे.
     केली किम

Tuesday, June 25, 2013

विखी वूखू वेक्खे.............full of laugh





संपूर्ण संवाद :
धनाजी रामचंद्र वाकडे आयला वाकड्यात शिराव लागणार वाटतंय
जवळकर: माळी...... मालक कुठंय ......
वाकडे: मीच मालक आपण कोण ....
जवळकर: मी.... मला ओळखल नाही.... अजब आहे हा हा हा
ती बाहेर उभी आहे ती मरसडीज गाडी कुनाचीये....
वाकडे: नाय माझी नाय...
जवळकर: तुमची नाय... माझिये ...
दिल्ली, कलकत्ता, मद्रास, बेंगलोर तिथे मोठमोठी पंचतारांकित
हॉटेल्स आहेत कुणाची आहेत माहितीये ....
वाकडे: नाय माझी नाय...
जवळकर: तुमची नाय... मग माझी असतील बहुतेक...
इंटरन्याशनल कनस्ट्रक्शन कंपनी कोणाचिये...
वाकडे: कुनाचीका आसना आपल्याला काय करायचं...
जवळकर: हाड त्याचा आयला... ए माझीये ...
दार्जीलिंग डायमंड हिऱ्यांचा व्यापार करणारी सर्वात मोठी कंपनी कुनाचीये
वाकडे: अर्थात हिऱ्यांची...
जवळकर: (विखी वूखू) माझीये ...
तसा मी दानवीर, कर्मवीर, धर्मवीर आणि बरेच काही वीर
उद्योग भूषण यदुनाथ जवळकर
जरा लांब उभे राहा... लांब उभे..... राहा लांब उभे राहा...
वाकडे: जवळकर म्हणजे तुम्ही आमचा महेश जवळकर....
जवळकर: बाप आहे त्याचा....

"धूमधडाका" हा मराठी मधला अशक्य विनोदी चित्रपट आहे. ज्यांनी हा चित्रपट बघितला नाही अशा लोकांचं आयुष्य फुकट आहे. आजही या चित्रपटामधल्या प्रत्येक डायलोग पाठ असणारे बरीच लोक आहेत

Monday, June 24, 2013

थोडे प्रदीर्घ.... पण फार महत्वाचे

थोडे प्रदीर्घ.... पण फार महत्वाचे
********************
प्रिया मित्रानो, लग्न होणार
असलेल्यांनी आणि झालेल्यांनी हा लेख
वाचवा आणि आणि कुठेतरी सांभाळून सेव्ह
करून ठेवा परत वाचण्यासाठी.....: 'बायको नोकरी करणारी असावी, ती स्मार्ट
असावी, चारचौघींत उठून दिसावी' अशी तमाम
नवरेमंडळींची इच्छा असते. यासोबत तिने
'गृहकृत्यदक्ष' आणि 'आदर्श सून'
असणंही मस्ट असतं. पण,
तीही आपल्यासारखी एक माणूस आहे. तिच्या भावभावना, इच्छा-आकांक्षा,
तिची परिस्थिती कशी असू शकते, याकडे
मात्र या नवरेलोकांचं दुर्लक्ष होतं,
नवऱ्याचा बायकोकडे पाहण्याचा दृष्टिकोन
कसा असावा... - उद्या कदाचित तुझं
नोकरी करणाऱ्या मुलीशी लग्न होईल,
त्यावेळी जरा हे वास्तवही लक्षात घे.
- ती तुझ्याएवढीच शिकलेली असेल,
तुझ्याएवढाच पगार कमावत असेल.
- तीदेखील तुझ्यासारखीच व्यक्ती असेल, त्यामुळे तिचीही स्वप्नं असतील,
आवडी असतील,
- तिनेही आतापर्यंत कधीच किचनमध्ये पाऊल
टाकलं नसेल, अगदी तुझ्यासारखंच
किंवा तुझ्या बहिणीसारखं..
- तीसुद्धा अभ्यासात बिझी असेल आणि मुलगी म्हणून कसलीही सवलत न
देणाऱ्या या स्पधेर्च्या युगात पुढे
जाण्यासाठी धडपडत असेल,
अगदी तुझ्यासारखीच!
- तिनेही तुझ्याप्रमाणेच वयाची २०-२५ वर्षं
आई, बाबा, बहीण, भाऊ यांच्या प्रेमाच्या सान्निध्यात
घालवली असतील,
- आणि तरीही हे सारं मागे सोडून, तिचं घर,
प्रेमाची माणसं यांना दूर करून ती तुझं घरं, तुझं
कुटुंब,
तुमच्या रितीभाती स्वीकारायला आली असेल. - पहिल्याच दिवशी तिने मास्टर शेफप्रमाणे
स्वयंपाक करावा अशी सगळ्यांची अपेक्षा असेल
- नेहमीच्या बेडवर तुम्ही डाराडूर झोपलेले
असताना ती मात्र
सर्वस्वी अनोळख्या असलेल्या वातावरणाशी,
अनुभवांशी आणि किचनशी जुळवून घेण्याचा प्रयत्न करत असेल.
- सकाळी उठल्याबरोबर तिने चहाचा कप हातात
द्यावा आणि रात्रीचं जेवणही तिच्याच हातचं
असावं अशी अपेक्षा असेल,
- तिलाही ऑफिसच्या कामाच्या डेडलाइन
पाळताना उशीर होत असेल, - तीसुद्धा कंटाळली असेल, कदाचित
तुमच्यापेक्षा थोडी जास्तच, तरीही तिने
तक्रारीचा सूर लावू नये असंच तुम्ही म्हणाल.
- नोकर, स्वयंपाकी, बायको,
यापैकी तिला एखादी भूमिका करायची नसली तरीही आणि त्यातही तुमच्या तिच्याकडून
काय अपेक्षा आहेत हेदेखील शिकण्याचा ती प्रयत्न करत राहील...
- तीसुद्धा थकते, कंटाळते पण सतत टुमणं लावू नये
आणि तुझ्यापेक्षा पुढे जाऊ नये
या अपेक्षाही तिला माहिती असतात.
- तिचा स्वत:चा कंपू असतो, त्यात
मित्रंही असतात आणि तिच्या ऑफिसमधले पुरुष सहकारीही तरीही ईर्ष्या, अनावश्यक
स्पर्धा आणि असुरक्षिततेच्या भावनेने
तुमच्या मनात घर करू नये म्हणून
ती बालमित्रांपासूनही दूर राहते.
- कदाचित तिलाही लेट नाइट पाटीर्त जायला,
धमाल करायला आवडत असेल, पण तुम्हाला आवडणार नाही म्हणून तू सांगितलेलं
नसतानाही ती तसं करत नाही. मित्रानो, आपल्या या अनोळखी घरात केवळ
आपण एकच तिच्या ओळखीचा,
जवळचा असतो, त्यामुळे आपली मदत,
संवेदना आणि सर्वात जास्त महत्त्वाचं म्हणजे
अण्डरस्टॅण्डिंग आणि प्रेम मिळावं
अशी तिची अपेक्षा असेल पण अनेक जण हे समजूनच घेत नाहीत...
एक सांगू, स्वत:कडून पूर्ण प्रयत्न करून ती हे नातं
सुंदर करेल, तुम्ही मदत केली आणि विश्वास
ठेवला तर हे नातं जीवनातलं सर्वाधिक
यशस्वी शिखर गाठू शकेल..
(By : Darshan Musale jee & Vijay Devikar)

Friday, June 14, 2013

ओल्या ओल्या दिशा

ओल्या ओल्या दिशा, पावसाळले आभाळ
चिंब चिंब ओली ओली रम्य सायंकाळ
कोवळे कौळे ऊन ऊन रेंगाळत आले
हिरवे हिरवे पानंपान सोनेरी झाले

पातन् पात गवताची चैतन्याने सजली
माळ रान डोंगर दरी आनंदाने भरली
ओढ्याच्या ओघातला घनगंभीर निनाद
धवलशुभ्र उसळलेला स्वच्छंदी आल्हाद 

उधळलेल्या थेंबांचा वार्‍यातला प्रवास
लुसलुसीत हिरवाळीचा गवतपाती वास
तुषारांच्या अंगकांती चिकटलेले सोने
प्रपाती कल्लोळाने भारावलेली मने 

काळ्याकुट्ट कातळाचे पाझरते हृदय
जगा सांगे जीवनाचा आनंदी आशय
गडगडणारे काळे ढग जरी दाटले नभी
कडेकपारी रानकेळी अंग झोकुन उभी ! 

वठलेल्या फांदीवरती शेवाळी चादर
नव जीवन जणू करते वार्धक्याचा आदर !
नाजुकनार वेलींना आभाळाचा ध्यास
फांदी फांदी डहाळीतून त्यांचा प्रवास 

लुसलुशीत वेली घेती कमनीय हिंदोळा
पारदर्शी तुकतुकीत रंग हिरवा कोवळा
ऊन ऊन धाग्यातुन थेंब थेंब ओवलेले
वार्‍याचे अंतरंग सोन पिवळे झालेले 

पानांच्या कांतीवर पिवळी पिवळी कल्हई
धबाबाच्या फेसावर सोन्याची नवलाई
इवल्या इवल्या थेंबांवर उतरले ऊन
सप्तरंगी इंद्रधनुष्य आले साकारुन 

सात रंगी कमानीची टोके डोंगरात
हिरव्या निळसर ऊंच ऊंच झाडाझुडपात
आकाशी कागदावर थेंब थेंब रंगारी
मावळतीच्या ऊन्हातुन सप्तरंग चितारी 

काळ्या ढगाला रेललेली ऊन्हाची शिडी
दिव्यतेची दिमाखदार दैदिप्यमान उडी
ओघळत्या सुवर्णाची पाहून पागोळी
मनातल्या कुबेराची अळी मिळी गुपचिळी ! 

आश्चर्याने आ वासुन रंग रंग टिपावे
निसर्गाचे अंतरंग स्तब्धतेने पहावे
हिरव्या हिरव्या रंगांच्या किती किती छटा
झाड, झुडुप, गवत, पान, वेलींच्या बटा 

वाट संपल्या वेलींचा खुंटला प्रवास
ऊन ऊन धाग्यांवर चढायचा प्रयास
पावसाच्या चादरीवरती वार्‍याची उडी
नवीन तलम कापडाची विस्कटलेली घडी 

काळ्या काळ्या ढगाच्या थेंब थेंब हृदयात
ऊन स्पर्श फुलवतो चैतन्याची रुजवात
गवतमाथी सांडलेले ऊन्हाचे शिंपण
भिरभिरत्या चतुरांचे तयावरती रिंगण 

भरकटलेल्या थेंबांची वार्‍यावर उधळण
मावळत्या प्रकाशाचे भरडलेले दळण !
सोनेरी प्रकाशाचा आनंदी आल्हाद
देखण्या दैदिप्याने साधला संवाद 

मित्रांच्या सोबतीमधली स्वछंदी रंगत
कोकणातल्या पावसाची झकास संगत

Thursday, June 13, 2013

बाप


शेतामधी माझी खोप,
 तिला बोराटिची झाप.
 तेथे राबतो कष्टतो ,
माझा शेतकरी बाप.

लेतो अंगावर चिंध्या
खातो मिरची भाकर
काडी उसाची पाचट
जगा मिळाया साखर

काटा त्याचाच का पायी
त्यानं काय केलं पाप
शेतामधी माझी खोप,
 तिला बोराटिची झाप.

माझा बाप शेतकरी
उभ्या जगाचा पोशिंदा
त्याच्या भाळी लिहिलेला
रात दिसं काम धंदा

कष्ट  सारे त्याच्या हाती
दुसरयाच्या हाती  माप
 शेतामधी माझी खोप,
 तिला बोराटिची झाप

बाप  फोडितो लाकडं
माय पेटाविते चूल्हा
घामा मागल्या पिठाची
काय चव सांगू तुला

आम्ही कष्टाचच  खातो
जग करी हापाहाप
शेतामधी माझी खोप,
 तिला बोराटिची झाप

 ---  इंद्रजीत भालेराव

Thursday, May 30, 2013

One inspirational story.

One inspirational story.

                  A guy drives into a ditch, but luckily a farmer is there to help.
he hitches his horse, Buddy up the car and yells,"Pull, Nellie, pull",
Buddy doesn't move.
"Pull Buster, pull" he tries, Buddy doesn't budge
"Pull Coco, pull!" Nothing.
Then the farmer says,"Pull Buddy pull!"
And horse drags the car out of ditch.

                Curious, the motorist ask the farmer why he kept
calling his horse by the wrong name.
"Buddy's blind," says the farmer.
"And if he thought he was the only one pulling, he wouldn't even try."




Wednesday, May 1, 2013

आई म्हणोनी कोणी - यशवंत

आई म्हणोनी कोणी, आईस हाक मारी
ती हाक येई कानी, मज होय शोककारी

नोहेच हाक माते, मारी कुणी कुठारी
आई कुणा म्हणू मी, आई घरी न दरी

चार मुखी पिलांच्या, चिमणी हळूच देई
गोठ्यात वासरांना, ह्या चाटतात गाई
वात्सल्य हे बघुनी, व्याकूळ जीव होई

येशील तू घराला, परतून केधवा गे ?
रुसणार मी न आता, जरी बोलशील रागे
आई कुणा म्हणू मी, आइ घरी न दारी
स्वामी तिन्ही जगाचा, आईविना भिकारी

Tuesday, April 16, 2013

HOW TO MAKE SYMBOLS WITH KEYBOARD



HOW TO MAKE SYMBOLS WITH KEYBOARD
Alt + 0153..... ™... trademark symbol
Alt + 0169.... ©.... copyright symbol
Alt + 0174..... ®....registered ­ trademark symbol
Alt + 0176 ...°......degre ­e symbol
Alt + 0177 ...±....plus-or ­-minus sign
Alt + 0182 ...¶.....paragr ­aph mark
Alt + 0190 ...¾....fractio ­n, three-fourths
Alt + 0215 ....×.....multi ­plication sign
Alt + 0162...¢....the ­ cent sign
Alt + 0161.....¡..... ­.upside down exclamation point
Alt + 0191.....¿..... ­upside down question mark
Alt + 1.......☺....sm ­iley face
Alt + 2 ......☻.....bla ­ck smiley face
Alt + 15.....☼.....su ­n
Alt + 12......♀.....f ­emale sign
Alt + 11.....♂......m ­ale sign
Alt + 6.......♠.....s ­pade
Alt + 5.......♣...... ­Club
Alt + 3.......♥...... ­Heart
Alt + 4.......♦...... ­Diamond
Alt + 13......♪.....e ­ighth note
Alt + 14......♫...... ­beamed eighth note
Alt + 8721.... ∑.... N-ary summation (auto sum)
Alt + 251.....√.....s ­quare root check mark
Alt + 8236.....∞..... ­infinity
Alt + 24.......↑..... ­up arrow
Alt + 25......↓...... ­down arrow
Alt + 26.....→.....ri ­ght arrow
Alt + 27......←.....l ­eft arrow
Alt + 18.....↕......u ­p/down arrow
Alt + 29......↔...lef ­t right arrow

Friday, February 22, 2013

या झोपडीत माझ्या


राजास जी महाली सौख्ये कधी मिळाली।
ती सर्व प्राप्त झाली, या झोपडीत माझ्या॥धृ॥

महाली मऊ बिछाने, कंदील शामदाने ।
आम्हा जमीन माने, या झोपडीत माझ्या ॥१॥

भुमीवर पडावे , ता-यांकडे पहावे ।
प्रभुनाम नित्य गावे, या झोपडीत माझ्या ॥२॥

स्वामीत्व तेथ त्याचे, तैसेचि येथ माझे ।
माझा हुकुम गाजे, या झोपडीत माझ्या॥३॥

महालापुढे शिपाई , शस्त्री सुसज्ज राही।
दरकार तिही नाही, या झोपडीत माझ्या ॥४॥

जाता तया महाला, ' मत जाव' शब्द आला।
भीती न यावयाला, या झोपडीत माझ्या ॥५॥

महालात चोर गेले,चोरुनी द्रव्य नेले ।
ऐसे कधी न झाले, या झोपडीत माझ्या ॥६॥

पहारे आणि तिजो-या, त्यातुनी होति चो-या ।
दारास नाही दो-या, या झोपडीत माझ्या॥७॥

महालि सुखे कुणा ही ? चिंता सदैव राही ।
झोपेत रात्र जाई , या झोपडीत माझ्या ॥८॥

येता तरी सुखे या, जाता तरी सुखे जा।
कोणावरी न बोझा,या झोपडीत माझ्या॥९॥

चित्तास अन्य रामा, शब्दी उदंड प्रेमा ।
येती कधी न कामा, या झोपडीत माझ्या ॥१०॥
पाहोनि सौख्य माझे, देवेंद्र तोही लाजे ।
शांती सदा विराजे, या झोपडीत माझ्या ॥११॥

वाडे, महाल, राणे केले अनंत ज्याने ।
तो राहतो सुखाने, या झोपडीत माझ्या ॥१२॥ '
तुकड्या ' मती स्फ़ुरावी, पायी तुझ्या रमावी।मुर्ती तुज़ी रहावी, या झोपडीत माझ्या||

Monday, February 18, 2013

The God

Professor : You are a Christian, aren’t you, son ?

Student : Yes, sir.

Professor: So, you believe in GOD ?

Student : Absolutely, sir.

Professor : Is GOD good ?

Student : Sure.

Professor: Is GOD all powerful ?

Student : Yes.

Professor: My brother died of cancer even though he prayed to GOD to heal him. Most of us would attempt to help others who are ill. But GOD didn’t. How is this GOD good then? Hmm?

(Student was silent.)

Professor: You can’t answer, can you ? Let’s start again, young fella. Is GOD good?

Student : Yes.

Professor: Is satan good ?

Student : No.

Professor: Where does satan come from ?

Student : From … GOD …

Professor: That’s right. Tell me son, is there evil in this world?

Student : Yes.

Professor: Evil is everywhere, isn’t it ? And GOD did make everything. Correct?

Student : Yes.

Professor: So who created evil ?

(Student did not answer.)

Professor: Is there sickness? Immorality? Hatred? Ugliness? All these terrible things exist in the world, don’t they?

Student : Yes, sir.

Professor: So, who created them ?

(Student had no answer.)

Professor: Science says you have 5 Senses you use to identify and observe the world around you. Tell me, son, have you ever seen GOD?

Student : No, sir.

Professor: Tell us if you have ever heard your GOD?

Student : No , sir.

Professor: Have you ever felt your GOD, tasted your GOD, smelt your GOD? Have you ever had any sensory perception of GOD for that matter?

Student : No, sir. I’m afraid I haven’t.

Professor: Yet you still believe in Him?

Student : Yes.

Professor : According to Empirical, Testable, Demonstrable Protocol, Science says your GOD doesn’t exist. What do you say to that, son?

Student : Nothing. I only have my faith.

Professor: Yes, faith. And that is the problem Science has.

Student : Professor, is there such a thing as heat?

Professor: Yes.

Student : And is there such a thing as cold?

Professor: Yes.

Student : No, sir. There isn’t.

(The lecture theatre became very quiet with this turn of events.)

Student : Sir, you can have lots of heat, even more heat, superheat, mega heat, white heat, a little heat or no heat. But we don’t have anything called cold. We can hit 458 degrees below zero which is no heat, but we can’t go any further after that. There is no such thing as cold. Cold is only a word we use to describe the absence of heat. We cannot measure cold. Heat is energy. Cold is not the opposite of heat, sir, just the absence of it.

(There was pin-drop silence in the lecture theater.)

Student : What about darkness, Professor? Is there such a thing as darkness?

Professor: Yes. What is night if there isn’t darkness?

Student : You’re wrong again, sir. Darkness is the absence of something. You can have low light, normal light, bright light, flashing light. But if you have no light constantly, you have nothing and its called darkness, isn’t it? In reality, darkness isn’t. If it is, were you would be able to make darkness darker, wouldn’t you?

Professor: So what is the point you are making, young man ?

Student : Sir, my point is your philosophical premise is flawed.

Professor: Flawed ? Can you explain how?

Student : Sir, you are working on the premise of duality. You argue there is life and then there is death, a good GOD and a bad GOD. You are viewing the concept of GOD as something finite, something we can measure. Sir, Science can’t even explain a thought. It uses electricity and magnetism, but has never seen, much less fully understood either one. To view death as the opposite of life is to be ignorant of the fact that death cannot exist as a substantive thing.

Death is not the opposite of life: just the absence of it. Now tell me, Professor, do you teach your students that they evolved from a monkey?

Professor: If you are referring to the natural evolutionary process, yes, of course, I do.

Student : Have you ever observed evolution with your own eyes, sir?

(The Professor shook his head with a smile, beginning to realize where the argument was going.)

Student : Since no one has ever observed the process of evolution at work and cannot even prove that this process is an on-going endeavor. Are you not teaching your opinion, sir? Are you not a scientist but a preacher?

(The class was in uproar.)

Student : Is there anyone in the class who has ever seen the Professor’s brain?

(The class broke out into laughter. )

Student : Is there anyone here who has ever heard the Professor’s brain, felt it, touched or smelt it? No one appears to have done so. So, according to the established Rules of Empirical, Stable, Demonstrable Protocol, Science says that you have no brain, sir. With all due respect, sir, how do we then trust your lectures, sir?

(The room was silent. The Professor stared at the student, his face unfathomable.)

Professor: I guess you’ll have to take them on faith, son.

Student : That is it sir … Exactly ! The link between man & GOD is FAITH. That is all that keeps things alive and moving.

P.S.

I believe you have enjoyed the conversation. And if so, you’ll probably want your friends / colleagues to enjoy the same, won’t you?

Forward this to increase their knowledge … or FAITH.


By the way, that student was EINSTEIN.