Heaven on Rails!

January 8, 2012 4 comments

It has been really really long time since I last blogged. Almost a year! Selected by Mindtree during the campus placements, finished with Engineering in July 2011 and joining the company in February 2012. All these time, I got quite a few opportunities to travel in Karnataka which I took gladly.

Having Dakshina Kannada (South Canara) as my native, first was the one which I was waiting for years, literally! It had been almost 2 years since Bangalore-Mangalore day train had started plying after a gap of almost 15+ years. I always wanted to go in that route, especially the Sakleshpur-Subrahmanya section wherein one can find Western Ghats in all its glory. To top it off, Me, my sister & mother decided to go during the end of July, the peak of Monsoon season in South Karnataka.

The train leaves Yeshwanthpur station in Bangalore at 7:30 am in the morning. The route is quite awkward, considering that you are travelling to Mangalore, which goes to Tumkur, Tiptur and all the way till Arsikere Junction. And then it goes south to Hassan. And till here its quite boring, not much to enjoy seeing. After Hassan it gets quite interesting and the landscape around you drastically changes. As we neared Sakleshpur, it started drizzling a bit.

Nearing SakleshpurIMG_0042

 

It is after Sakleshpur that it gets better. And that even in Monsoon, the huge mountains of Shiradi Ghats start playing hide and seek with the clouds and rain. Forest every direction you look at. The train hardly goes above 20-30 kmph in this region due to the elevation of the track. This section has 65 tunnels and nearly 100 bridges. Some bridges are easily 150+ feet in height. People go crazy screaming at the top of their voices when the train goes through these tunnels. It takes around 2.5-3 hours from Sakleshpur to Subrahmanya, and there is no dull moment during this period. Its a Visual treat with greenery everywhere, innumerable waterfalls, gorgeous mountains etc. It cannot possibly be described in words. It should be experienced! One should visit here once during the monsoon, and again soon after it, which I had the chance to. Both times the experience will be different. Here are some of the select snaps. Click here to view the entire album.

IMG_0148IMG_0174IMG_0230IMG_9574IMG_9817IMG_9957

Bubble Evader

January 29, 2011 2 comments

Lets proceed to create our game. XNA Game Studio uses Visual C# for programming. So, you need to be aware of some basic concepts of Object Oriented Programming(OOP) like Objects, Classes, Inheritance etc.. You can learn some of these basic things here. To create a game for Windows Phone 7, you will need Visual Studio 2010 & XNA Game Studio 4.0 along with other Windows Phone 7 developer tools, which you can get here for free. Once you have downloaded and installed Visual Studio, go to File->New Project. Under Visual C# pane on the left you go to XNA Game Studio and select Windows Phone Game(4.0) option, as you can see in the image below.

New Project (Click for a larger picture)

When the project is created, the Visual Studio IDE puts some predefined code into your project which looks like as in the image below. The lines in green colour are the comments which are ignored by the compiler, which is there for the user’s reference. You can minimize the methods by clicking on the minus (‘-’) sign on the left side of the method(function) names. Once collapsed, they would look as in the picture to the right.                          

New Project 2New Project 3

Now you can see all the predefined methods & a class. Game1 is the class where all the action takes place. It contains variables and methods for various things that you do in the game. It forms the main control. It consists of main 5 methods that keep the game running.

  • Initialize
  • LoadContent
  • UnloadContent
  • Update
  • Draw

These methods form what is called as a game loop, which continuously keeps the game running, which can be represented in a flowchart.

Flowchart

Initialize is the first method that is called when the game starts. So any initializations to be made (ex: Setting the number of enemies) will go here.

LoadContent is the method that contains code to load game resources like sprites, backgrounds, audio etc.. onto the memory.

UnloadContent is the method used to unload the loaded resources from the memory at the end of the game.

Draw is the method to draw whatever we want on the game screen. It may include various sprites, objects etc.. and their respective positions on the screen.

Update is the method which is called whenever there is an update to the scene to be made (ex: When the user presses a key for the sprite to jump, etc.) This method is followed by the Draw method again. These two methods form what  is called as a Game Loop, which stops only when the game is exited.

We also need to understand all things that constitute a game. Lets start with Sprites. A sprite can be regarded as a picture that you would want to associate with a player or any object like enemies, walls, doors, etc..

Sprite MarioSprite Mario 2

This is a screenshot from one of the most famous games of all times, Mario. The smaller image you see is called as a sprite. It is used to draw on the screen as you can see in the bigger picture. All those bricks and walls used in there are also sprites, which are used multiple times in the same scene. Sprites are of two types, Transparent(.png or .gif) & non-transparent(.jpg). If you use a non-transparent sprite, the entire image(including the background) gets drawn on the screen. When you use transparent sprites, the background will not be used while drawing that sprite on the screen. You don’t want a padding around your sprite while playing a game, do you? So, its obvious to use transparent sprite.

For this game, our sprites would be a simple circle and a square, which can be created using very basic image editors like MS Paint. But I would recommend a better & free tool called Paint.Net which I used and has better transparency support. A simple set of Instructions on making a sprite transparent in Paint.Net can be found here. Here are my sprites, a square and a circle.

                                                           ballsquare

Now, in the solution explorer(Its a pane in the right side of visual studio) right-click on the Content and go to Add->New Folder. Name that folder as Images. Now right click on Images folder and Add->Existing Item. Go to the location where your sprite is in your computer and add that image file of your sprite to the project. You should be able to see the filenames of the images in the Images folder.

Add Sprite 1Add Sprite 2

 

In the Game1 class, you can see that a GraphicsDeviceManager and a SpriteBatch object have been defined. Here, graphics object corresponds to the graphics device to which you will be interacting to do various things in the game, and spriteBatch object is to draw sprites, which contains many methods for different situations.

GraphicsDeviceManager graphics; SpriteBatch spriteBatch;

Now, define a Texture2D object in your Game1 class after the above code, name it whatever you want. This object will be used to load the image as a texture to draw it on the screen.

GraphicsDeviceManager graphics; SpriteBatch spriteBatch; Texture2D texture;

Now, go to LoadContent() method and type the following line of code. Your LoadContent() should look like below. It loads the square image to texture object.

protected override void LoadContent() { spriteBatch = new SpriteBatch(GraphicsDevice); texture = Content.Load<Texture2D>(@"Images/square"); }

Now, go to Draw() method and add the following lines of code. It should look as below. This code draws the sprite stored in texture object at position (0,0) on the screen.

protected override void Draw(GameTime gameTime) { GraphicsDevice.Clear(Color.CornflowerBlue); spriteBatch.Begin(); spriteBatch.Draw(texture, Vector2.Zero, Color.White); spriteBatch.End(); base.Draw(gameTime); }

spriteBatch requires you to call Begin() and End() before and after we do any operation with the sprites. Now, run your project by pressing F5 key. You should be able to see the emulator running with a blue background and a square at top-right corner of the emulator screen. Ideally, it should have been at the top-left corner, but XNA treats Win Phone 7 to be in portrait mode by default and hence you see it at top-left corner as seen in portrait mode.

screen1screen2

Now, lets try moving a sprite. Create another Texture2D object to store the circle sprite. Also define a Vector2 object to store the 2-Dimensional co-ordinate position of the circle. Here, I’m initializing the position vector object to zero. Also define another Vector2 object speed to add to set the speed of the circle.

Texture2D circle; Vector2 position = Vector2.Zero; Vector2 speed = new Vector2(4, 4);

Now, add the code to load the circle sprite in LoadContent() method.

   1: circle = Content.Load<Texture2D>(@"Images/ball");

Now, modify the Draw() method to draw the circle sprite.

protected override void Draw(GameTime gameTime) { GraphicsDevice.Clear(Color.CornflowerBlue); spriteBatch.Begin(); spriteBatch.Draw(circle, position, Color.White); spriteBatch.End(); base.Draw(gameTime); }

Add the following piece of code to your Update() method to increment the position of the circle along X & Y directions. position is a Vector2 object consisting of x & Y coordinates. We will now increment these values in Update() method and also see that the circle does not go out of the screen. The screen size of Windows Phone 7 is 480 X 800.

protected override void Update(GameTime gameTime) { if (GamePad.GetState(PlayerIndex.One).Buttons.Back == ButtonState.Pressed) this.Exit(); if (position.X > Window.ClientBounds.Height - circle.Width) speed.X *= -1; else if (position.X < 0) speed.X *= -1; if (position.Y > Window.ClientBounds.Width - circle.Height) speed.Y *= -1; else if (position.Y < 0) speed.Y *= -1; position += speed; base.Update(gameTime); }

The If conditions check whether the circle is inside the screen or not. If it seems to go out of the screen, the X and Y components of speed are reversed so that the ball bounces of the edge of the screen. Window.ClientBounds.Height and Window.ClientBounds.Width return the Height and  Width of the screen as in Portrait mode. That’s the reason I’m operating X coordinate with Height and Y coordinate with Width. We are subtracting the width and height of the texture to align the position of the ball. As you can see, the ball bounces off at little higher position from bottom. This is because that some space is reserved for some controls that you may want to give to the user at the bottom like some buttons, etc.. You can utilize the full screen by replacing Window.ClientBounds.Height by a particular integer value. In this case, the value will be 800.

The entire code of the game as of now will be

using System; using System.Collections.Generic; using System.Linq; using Microsoft.Xna.Framework; using Microsoft.Xna.Framework.Audio; using Microsoft.Xna.Framework.Content; using Microsoft.Xna.Framework.GamerServices; using Microsoft.Xna.Framework.Graphics; using Microsoft.Xna.Framework.Input; using Microsoft.Xna.Framework.Input.Touch; using Microsoft.Xna.Framework.Media; namespace BubbleEvader { /// <summary> /// This is the main type for your game /// </summary> public class Game1 : Microsoft.Xna.Framework.Game { GraphicsDeviceManager graphics; SpriteBatch spriteBatch; Texture2D texture; Texture2D circle; Vector2 position = Vector2.Zero; Vector2 speed = new Vector2(4, 4); public Game1() { graphics = new GraphicsDeviceManager(this); Content.RootDirectory = "Content"; // Frame rate is 30 fps by default for Windows Phone. TargetElapsedTime = TimeSpan.FromTicks(333333); } protected override void Initialize() { // TODO: Add your initialization logic here base.Initialize(); } protected override void LoadContent() { spriteBatch = new SpriteBatch(GraphicsDevice); texture = Content.Load<Texture2D>(@"Images/square"); circle = Content.Load<Texture2D>(@"Images/ball"); } protected override void UnloadContent() { // TODO: Unload any non ContentManager content here } protected override void Update(GameTime gameTime) { if (GamePad.GetState(PlayerIndex.One).Buttons.Back == ButtonState.Pressed) this.Exit(); //if (position.X > Window.ClientBounds.Height - circle.Width) if (position.X > 750) speed.X *= -1; else if (position.X < 0) speed.X *= -1; if (position.Y > Window.ClientBounds.Width - circle.Height) speed.Y *= -1; else if (position.Y < 0) speed.Y *= -1; position += speed; base.Update(gameTime); } protected override void Draw(GameTime gameTime) { GraphicsDevice.Clear(Color.CornflowerBlue); spriteBatch.Begin(); spriteBatch.Draw(circle, position, Color.White); spriteBatch.End(); base.Draw(gameTime); } } }

 
Now, you have a ball bouncing off the edges of the screen. This would be all for now. Will be back in few days with more features. Till then, keep experimenting!

Bouncing Ball

Bubble Evader Series

Happy New Year to everyone. Its been a very long time since I have blogged. So decided to write about creating games for Windows Phone 7. This takes you from scratch covering some basic concepts & components of simple games as well. I will be taking you all through to create a simple touch based game called “Bubble Evader” which I created few months ago as a requirement for being Microsoft Student Partner. In this game you require to move a square around the screen avoiding the bouncing balls. Longer you survive, more points you make. The number of balls also increase as your score increases. The game after you create would look like as in the video below. Stay tuned for the first in the series!

Bubble Evader

ಕನ್ನಡದ Dan Brown

August 12, 2010 9 comments

Most of you are familiar with Dan Brown who wrote some very good thrilling novels like The Da Vinci Code, Angels & Demons, etc. which went on to become one of the world’s bestsellers. His novels are so good that once you start reading, you can’t keep it down unless you finish reading them. Da Vinci kicked up a lot of controversies because of the fact that it was based around the imaginary Holy Grail & many conspiracies regarding the life of Jesus Christ, which was against the belief of The Vatican. Anyway, my point is to highlight his writing style. He researches very deeply, puts together the historical facts and weaves an imaginary story connecting all the facts leading us to firmly believe in it.

Now coming to Kannada(or even Indian languages for that matter), there had never been fiction thrillers like these, about the various secrets of our history. Enter Dr K.N. Ganeshaiah, who is an Agricultural Scientist at University of Agricultural Sciences, Bangalore. Now think of the following: An ancient secret cult(group) of people pledging to protect Buddhism at any costs(even using Violence), A hidden Treasure somewhere in Afghanistan, World’s most wanted terrorists, cold blooded murders, historical facts, myths, cryptography, hidden messages in folk songs, CBI.This gives rise to “Chitaadantha"(ಚಿತಾದಂತ), his latest novel connecting all the above things giving rise to an incredibly thrill read.

His previous novels were:

  • Kanaka Musuku (ಕನಕ ಮುಸುಕು)
  • Karisiriyaana (ಕರಿಸಿರಿಯಾನ)
  • Kapilipisaara (ಕಪಿಲಿಪಿಸಾರ)

Kanaka Musuku, is similar to Chitaadantha, this time its Jainism being at stake. Karisiriyaana deals with the lost treasures of the Vijayanagar Empire, while Kapilipisaara deals with the hunt for “Sanjeevini” plant which we come across in Ramayana which was used to save Lakshmana’s life in the battlefield after he was knocked unconscious during the battle. He weaves the stories using facts & riddles (some being real) in such a way that it makes you think that  you are reading real facts. He does mention in his 1st novel Kanaka Musuku that Da Vinci was his inspiration. He touches many diverse subjects in course of the story. He maintains the thrill throughout, & his book always has 3-4 stories running parallel, converging to a thrilling & revealing conclusion.

If you are familiar with Kannada, do yourself a favour by reading his books, they are a welcome change from what you get in Kannada literature. I usually don’t read much Kannada books, but I could not resist reading his books and I used to finish each book within a few hours! These are perfect for youngsters, who unfortunately are more and more westernising to start reading Kannada Novels.Image0254Image0255Image0256

Microsoft Student Partners Calling!

Yeah, that’s right. Doors have been thrown open to become a Microsoft Student Partner. MSP is a huge group of tech-savvy Students across the globe. As I write this, there are 2905 MSP’s across the world in 101 countries. And India has a huge share of nearly 700 MSPs! Applications are being accepted online right now for this. There are some really cool benefits of becoming a MSP, like

  • MSDN Premium Subscription (This is the Best Part)
  • Internship & Recruitment Opportunities at MS
  • Exclusive Events, Training for MSP’s organized by MS
  • Interactions with MVPs & Microsoft Employees
  • and many more…

But before you jump at the benefits, there are some things that you are supposed to do like

  • Conducting technical Seminars
  • Participate in Imagine Cup (Its a competition for students)
  • Maintain a tech-blog etc…

You can find more about the details regarding requirements in the MSP Portal http://www.student-partners.com/ Click on the Apply Now button to the right. Then select the country to where you belong and you can view the details there. Also this time around, there is a handbook for the people who are applying, which can be found here, which contains further instructions on what the applicants should do to get selected.

The last date for registering is August 15th, i.e; this Sunday. So there is not much time left. Its a wonderful opportunity for you and don’t miss it! All the Best to those who are applying!

Students to Business

Ever wondered what you need to do to get an Internship?? There is a wonderful opportunity for you online! There is this program from Microsoft called Students to Business, which gives students with a huge opportunity for the students to get internships or jobs across many companies. You can put up your profile, which can be viewed by the companies participating in the S2B program. As I write this, there are about 9462 registered users and 227 registered Employers(Companies), with 81 active projects and 169 open positions. That is a pretty good number for a site which started just within a year(At least in India).

You can land up with internship/job either by applying for positions or particular projects open in the companies or, the Employer may approach you, by viewing your profile & it matches their requirements. You can add various skill sets to your profile like C#, .Net Framework, Silverlight, etc. Since this program is a Microsoft Initiative, It mostly has technologies related to MS. But you can always add other skills also. Depending on your skill sets and profile, the site will show some of the openings/projects in various companies. You can also search for projects depending on your skills and other criteria.

This program is available in most of the countries all over the world. Companies participating in Indian version of S2B are spread over…. from Bangalore, Hyderabad, Delhi, etc. So What are you waiting for? You’ll need a Windows Live ID to register there(If you have a Hotmail-email ID, you already you have it & you can use that only). If you don’t have one get yourself one by clicking here (You can use your own email-ID as Live ID). And finally, click here to register & start filling out your profiles! Who knows? You may have a golden opportunity there. And, don’t forget to give me a referral in the referral code box. Put the code as “ninaada”. Please don’t make spelling mistakes! 🙂

Home Page Profile s2b

Fighting with Visual Studio 2010

Visual Studio 2010 has been released recently and I downloaded the iso image of the Ultimate edition DVD from my MSDN account. Eager to try it, I Installed it by removing the Release Candidate of the same, which I had installed earlier. The RC was removed without any issues whatsoever. But after installing VS 2010, strangely, Visual Studio 2008 Pro started showing weird problems. At first, the designer view for ASP.Net project stopped working, it would just stop responding. I could not click anywhere in the window & had to close the IDE using the Task Manager. Since I was not much into ASP.Net, and design view was working fine in VS 2010. This error was due to the fact that some .dll file required for rendering was replaced by VS 2010 installer with a newer version of the same dll & which was not compatible with VS 2008. Since it was fine in VS 2010, I did not bother much about it.

But situation started worsening after a few days. I had installed XNA Game studio which is an add-on to VS 2008 to create games in C#. VS 2008 not only stopped opening/creating the XNA projects, but also started to fail to open any C# project! I searched over the Internet to see whether anybody else had encountered the same problem. I did not get any such cases, and hence I decided to re-install both VS 2008 & VS 2010. I first removed VS 2010 and started removing the other components it had installed with it. I could remove almost all of them except for one or two. I had to remove the remaining components using the MS Installer Cleanup Utility which is available for download here. It appeared that I had successfully removed VS 2010. Then I re-installed VS 2008 which went well without any issue.

Then came the bigger problem. I tried Installing VS 2010 back again, which used to fail repeatedly. It was trying to install VC++ 10.0 Runtime without any success. VC++ Runtime is a prerequisite for installing VS 2010. I tried installing it separately by downloading from the MS website, which would actually install, but would not be detected as installed by VS 2010 Installer, which tried to install it again & would fail. Then I looked into the installation log of VS 2010 which was in my “Temp” folder located in C:\Users\Username\AppData\Local\Temp\ . There, I found that the installer was returning error code 1603, which meant “fatal error during installation”. I digged further and I got error code 1402, which meant that a particular Registry Key was not accessible to the installer. The error message in the log file read something like Error 1402.Could not open key: UNKNOWN\Components6A0D925C8932A8379FE28AFAF97A860\B45568A682984E035AC37D33679831D4. Verify that you have sufficient access to that key, or contact your support personnel. So, I came to know that the installer has some problems accessing a particular key in the registry. I searched in the net & got a link on how to solve such type of registry inaccessible problems. As you can see, that particular Registry key had been “Orphaned”.

installer-log
What happened here was that when VS 2010 was uninstalled, the uninstaller instead of removing those registry keys, had actually, Orphaned them. In the sense, that those Keys don’t belong to any particular user, & hence when the setup tries to create the key, it encounters another key with the same name & cannot modify the existing one since it doesn’t have any owner, rendering it inaccessible to any user/process. As indicated in this earlier link, I changed the permissions for that key & thought Installation would be successful this time. But, this time, another key problem came up! Again I changed the permissions. Again a problem! After doing this exercise for many times, I got fed-up & used a software called Registry Mechanic to clean the registry. It found 1000+ issues in the registry, of which most of them where this orphan registry keys. It removed all of them & finally, I could Install VS 2010! And as of now, XNA projects are successfully opening in VS 2008, but the design view issue still persists, which is enough for me as of now.

Microsoft DreamSpark Yatra

Its been almost a year since I updated this blog.Many things have happened since… I was selected as a MSP for my college & many more stuffs. DreamSpark Yatra is a day long event conducted for the students, organized by Microsoft Student Partners & Bangalore .Net Students User Group(BDNS) for that region. The Students had a good opportunity to learn about the new cutting edge technologies from Microsoft. The DS Yatra at Bangalore was conducted on 27th March 2010 at PES Institute of technology (Popularly known as PESIT).

There were Speakers from Microsoft and even some of the MSPs gave sessions on the new technologies like Sharepoint & MS Office 2010, Visual Studio 2010 Pre-Launch event,Photosynth – a technology which converts a bunch of 2D photos to 3D,Cloud Computing & Windows Azure, the Cloud computing platform from Microsoft, Various Academic Initiatives from MS like Dreamspark, Imagine Cup, Students 2 Business, etc.

We got a very good response of around 700+ attendees. 60 Students came from colleges in Dharwad! The PESIT auditorium became full. In case you missed to attend this very useful event, you can attend the Yatra at Nitte, Mangalore on April 5th. Click here for details. It is a really good event & make the most of it by attending! Here are some photos from the event at Bangalore. Click on them to view them in a larger size.

The Organizing Bangalore MSP Team
Bangalore MSP's

The following are the pictures of the crowd.
Crowd-3 crowd-1 Crowd-2 .

Windows Live Writer – Blogging Simplified!

So, here is my 1st post for this blog. Long back, when I had installed Windows 7 afresh, wanted to download Live Messenger. MS has included it in its “Live Essentials” package. I had no better job to do, so selected all the available options to install. After almost 4-5 months, just a few days back, while deleting unwanted programs, just came across Live Writer in the list. I knew that it was a blogging tool, but hadn’t bothered to check it. Out of curiosity, just launched it to see how it was, & I was really surprised to see such a nice & useful tool for blogging. So, I will now show you how to blog using Live Writer.

You will need :

  • A Blogging account (If you don’t have one, there are many free blogging services like blogger, wordpress etc or you can create one using Writer itself)
  • Windows Operating System (Live Writer works only with Windows)
  • Internet Connection for downloading Writer (I know this is pretty stupid, or else how would you be reading this!)

After creating a blogging account(If you don’t have one), head to http://download.live.com to download Live Writer. You can select other softwares if you like. After the download & installation, start Live Writer, which will be in the program files under the group name “Windows Live”, grouped with other Live softwares. Launch the Writer. When you are launching it for the first time, you will see a screen to add & setup your blogging account, which will look like:

new_acc 

I’m using Blogger, so selected the last option. Depending upon your blogging service, select the appropriate option. After setting up your account, the Writer displays a blank page, according to the theme set in your blog.

start

So, you can start blogging right away now. You can insert various Hyperlinks, insert pictures, videos, table, maps, etc. You can find all these options in the sidebar to the right. You can also add plug-in to Writer for extending Writer’s functionality. One of the features that I loved in Writer is that you can save the draft offline and later when online, you can publish the same to your blog. You can also preview your blog as to how it’ll look & also view the html source of the content, tag your blog according to some categories. If you have more than one blog, you can also add multiple blog accounts to post to different blogs at a time, or to a particular one. Sidebar also displays the saved drafts & recently posted items. You can also set a custom publish date.

So, Have fun blogging using Writer guys! Below are a few screenshots of Writer. Click on them to view larger images.

final options-1  options-2options-3 table

Ninaada Bellippady

My name is Ninaada (ನಿನಾದ). The name is very rare to find. Even if you find one, it will be around one in a thousand or ten-thousand. Even If you find one, If you consider my last name (Bellippady), it is impossible to find another person with the same name as mine. Throughout my (student) life, I have had many funny instances due to my name, mainly due to the fact that many people struggle to pronounce my name correctly.

I was living in Mumbai for almost 7 years. As my mother recalls, some people back there used to call me as “Ninad” or “Ninaad” (ನಿನದ್ or ನಿನಾದ್). I thought that was bad to mispronounce one’s name. But I should have been thankful that they could at least pronounce that much, because I didn’t know what would happen in future. Compared to now in Bengaluru, what some people pronounce, Mumbai people were far better. Then After finishing my 2nd standard, we shifted to Bengaluru. My parents admitted me to a school to continue my studies. Then all the hell broke loose regarding the pronunciation of my name. “Ninaada” became many things I couldn’t imagine of, like Ninaanda, Ninanda, Ninnada,Vinoda,(ನಿನಾಂದ,ನಿನಂದ,ನಿನ್ನದ,ವಿನೋದ )etc… Making the people to pronounce my name correctly became a Herculean task. And the more irritating was that of my last name. Ninaada Bellippady would become Ninoda Belliyappa!! And many more things that I never imagined in my wildest dreams…. Phew!

There was one incident at my PU college I would never forget. There was a Physics lecturer who always had problems in pronunciation. During the attendance, as always, he would mispronounce my name as Ninaanda, etc…. but one fine day, he started calling the last names of the students too. He started pronouncing my name as “Ninoda Bella-pudi”. I was completely dumbstruck! In Kannada, Bella-pudi (ಬೆಲ್ಲಾ ಪುಡಿ)means Jaggery Powder! I’m not as sweet as jaggery! However by some persuation, he started calling my first name correctly, but literally killed my last name. It isn’t that due to my name, I always had things like these, I had advantages also. In the same year, I had a computer science lecturer who could not pronounce my name. She always saw my face & then put the attendance for me. Later it became a habit for her to put attendance as I was a regular student. One fine day, I bunked her class & still got the attendance for that class. I wish it always happened for me in the future also.

Sometimes I used to pray during the attendance that let these lecturers pronounce my name properly, so that I would not be embarrassed. Especially I would be very curious to know what the teachers pronounce my name, during the time which I got admitted to new school or college. I had go through all these till my PU days. I had a surprise waiting for me in my Engineering college. Now I have studied here for 4 semesters and only two of them have mispronounced my name! Then I got to know from one of my seniors that another student having the name Ninaada used to be there in the college. Pity him, maybe he got to take all those embarrassments.

Categories: Uncategorized