My E-Journal... To share my experiences, thoughts etc..


Wednesday, March 9, 2016

Life in USA on L2 visa

                     Like every working women in India, who wanted to join their spouse in USA and still doesn't want to lose their career, I consider L2 visa as a gift. I came to USA in 2015, hoping I was one among the gifted. Ironically it was the very same year it became legit that H4 candidates can also work, provided their spouse have valid I-140 (after applying for green card). So, H4 and L2 visa cases are almost same now :)...
Nevertheless, still you can enjoy your freedom.

                Hope this blog would help someone who is travelling to US for the first time to be with their family, I believe my experience would throw some light for you and bring some clarity on what to expect. It is almost a year now since I left my mother land and started to live with my spouse in USA.  Initially, I was excited for two reasons before starting from my country. 1) I will join my family very soon, and 2) My career path would be still on track  (so that I could console myself that it was worth to leave my current concern :) ). Both became true after I landed the lands of opportunity.
 
               I would like to share few tips and ideas that might be helpful for someone who are travelling on L2 visas,
  1.  If you are super interested to work in US then brush your skill sets when you have enough time in your own country. If possible attend few job interviews to familiarize and test yourself (This is required only if you don't have work experience or if you have not tried new jobs for a long time). In case you are extremely talented then you can maintain your cool.
  2. Regarding your travel, two baggage's of 23 kg each are allowed in flight(at least for the airlines which I took. Find out how much you could carry from your airlines). So now, relax and plan it properly. I happened to carry things those were not required and leave behind that was necessary. Take time to discuss with your spouse, on what is necessary for your household and family. As you could buy few day-to-day utilities from your local shop at US and need not carry them with you.
  3. As this was my first flight and travelling alone, I tried to familiarize the itinerary plan through some YouTube videos, mostly regarding filling the custom form, immigration and baggage checks, collection etc,. Discuss the same with your spouse if he/she has already traveled.
  4. Once you are in US, apply for SSN the very first week and it is a quick process you could get it within a week.
  5. Apply for your EAD (Employment Authorization Document) in parallel, but this might take 2 to 3 months depending on the place where you ought to apply. This is where your wait starts. But never get irritated, its time to learn cooking, exploring places, improving or grooming yourself, making friends, spend valuable time with your spouse, learn to use the public transit by your own, observe a lot, learn road rules, try to drive with your spouse help and so on. Remember, you will definitely end up getting your EAD, even if it is little delayed. So, dont panic.
  6. Get US driving license from your nearby DMV. (Learn parallel parking... :))
  7. In meantime, open an individual bank account or create a joint account with your spouse
  8. Once you receive your EAD, its lot of effort to find a job in same place as your spouse. But, if you are determined to stay together with your family, then be patient until you find the right one. P.S: As a suggestion you could opt for a job in another state or city initially. But continue searching for other new positions, as you may find a job at some time later near to your family. Since you are a independent contractor/employee, you could leave your current job at any time and move back. There isn't any headache like H1 employee who have to submit their amendments etc., which is big process.
  9. While trying for a job, be clear on what type of job you are looking for. Whether it is going to be contract, full time, part time or remote. And the pay check mode like w2, corp2corp (c2c), 1099 and so on. Also the salary part that you can expect based on your previous experience. I stumbled a lot initially not knowing what these actually mean and what to opt for in given scenario. There are lot of information on Google.
  10. If at all you are not able to land at any job that matches your skillets and if you are bored at home, then think of any secondary job that you are ready to take. For example, I was contacted by couple nearby supermarket for supervisor or managerial positions, which I am not familiar with, but still you could give a try at worst case. If money doesn't matter to you, then try for few voluntary jobs. (I have no idea or tried voluntary jobs. But I hope this would help you to improve your circle)
  11. Last but not least, remember that you are the responsible person here for whatever happens to you, unlike your home country where one is surrounded by their family, relatives and friends who are ready to help you at any time. So, always think ahead, be proactive and be matured enough to take big steps. Not to forget, enjoy the beautiful land to the fullest of your stay.... :)
I know the information above might be more generic. Kindly leave your queries or suggestions in the comment session below. I would love to help to the best of my knowledge.

Tuesday, March 8, 2016

Excel macro - retrieve the text between two characters or delimiters



Eg text :   origin_code: string[5]; -> To extract string between '[' and ']'. i.e. 5 here.

Private Sub Datatypebytes_Click()
row_number = 0
Dim firstDelPos As Integer
Dim secondDelPos As Integer
Dim stringBwDels As String
 
    If InStr(items, "string[") Then
        strValue = Sheets("Sheet1").Range("A" & row_number)
        firstDelPos = InStrRev(strValue, "[")
        secondDelPos = InStrRev(strValue, "]")
        stringBwDels = Mid(strValue, firstDelPos + 1, secondDelPos - (firstDelPos + 1))
        Sheets("Sheet1").Range("B" & row_number) = stringBwDels
    End If











Tuesday, November 10, 2015

Building Qt SQLcipher Driver Plugin



Below are the steps that I followed to install and build sqlcipher driver plugin for Qt in kubuntu 14.04. Qt5.3.1 was already installed on top of it
  1. git clone https://github.com/sqlcipher/sqlcipher
  1. cd sqlcipher
  1. ./configure --enable-tempstore=yes CFLAGS="-DSQLITE_HAS_CODEC -DSQLITE_ENABLE_FTS3 -DSQLITE_ENABLE_FTS3_PARENTHESIS" LDFLAGS="-lcrypto"
  1. make
  1. sudo make install
If you get errors anywhere in the above steps, please don't panic and  try to "google" the error as you might need to install some dependent libraries for the steps to work. :)
Now, Follow the below steps,
1. Build Qt-QSQLCIPHER-driver-plugin

* Create directory:
\
    \Qt5.3.1\5.3\Src\qtbase\src\plugins\sqldrivers\sqlcipher

* Create the following three files within the new directory:

File 1: smain.cpp:
*****************************************************************
#include
#include
#include "../../../../src/sql/drivers/sqlite/qsql_sqlite_p.h"
QT_BEGIN_NAMESPACE

class QSQLCipherDriverPlugin : public QSqlDriverPlugin
{
Q_OBJECT
Q_PLUGIN_METADATA(IID "org.qt-project.Qt.QSqlDriverFactoryInterface" FILE "sqlcipher.json")

public:
QSQLCipherDriverPlugin();

QSqlDriver* create(const QString &) Q_DECL_OVERRIDE;
};

QSQLCipherDriverPlugin::QSQLCipherDriverPlugin()
:QSqlDriverPlugin()
{
}

QSqlDriver* QSQLCipherDriverPlugin::create(const QString &name)
{
if (name == QLatin1String("QSQLCIPHER")) {
QSQLiteDriver* driver = new QSQLiteDriver();
return driver;
}
return 0;
}

QT_END_NAMESPACE

#include "smain.moc"
********************************************************************



File 2: sqlcipher.pro
==========================
TARGET=qsqlcipher
SOURCES = smain.cpp
OTHER_FILES += sqlcipher.json
include(../../../sql/drivers/sqlcipher/qsql_sqlite.pri)
wince*: DEFINES += HAVE_LOCALTIME_S=0
PLUGIN_CLASS_NAME = QSQLCipherDriverPlugin
include(../qsqldriverbase.pri)

*************************************************************************

File 3: sqlcipher.json
=============================
{
"Keys": [ "QSQLCIPHER" ]
}

****************************************************************

2. Copy directory
    \Qt5.3.1\5.3\Src\qtbase\src\sql\drivers\sqlite to

3. Customize file
The content of the file shall be like:

HEADERS += $$PWD/qsql_sqlite_p.h
SOURCES += $$PWD/qsql_sqlite.cpp
!system-sqlite:!contains(LIBS, .*sqlite3.*) {
include($$PWD/../../../3rdparty/sqlcipher.pri) #<-- change="" font="" here="" of="" path="" sqlcipher.pri="" sqlite.pri="" to="">
} else {
LIBS += $$QT_LFLAGS_SQLITE
QMAKE_CXXFLAGS *= $$QT_CFLAGS_SQLITE
}

Note: The remaining two files in this directory need not to be changed.

4. Create file 'sqlcipher.pri' in directory
CONFIG(release, debug|release):DEFINES *= NDEBUG
DEFINES += SQLITE_OMIT_LOAD_EXTENSION SQLITE_OMIT_COMPLETE SQLITE_ENABLE_FTS3 SQLITE_ENABLE_FTS3_PARENTHESIS SQLITE_ENABLE_RTREE SQLITE_HAS_CODEC SQLITE_HAS_CODEC SQLCIPHER_CRYPTO_OPENSSL SQLITE_OS_UNIX=1
!contains(CONFIG, largefile):DEFINES += SQLITE_DISABLE_LFS
contains(QT_CONFIG, posix_fallocate):DEFINES += HAVE_POSIX_FALLOCATE=1
INCLUDEPATH += $$PWD/sqlcipher
SOURCES +=$$PWD/sqlcipher/sqlite3.c
LIBS += -L$$PWD/sqlcipher/lib -lsqlcipher -lsqlite3 -lcrypto
TR_EXCLUDE += $$PWD/*

5. Create and fill /Qt5.3.1/5.3/Src/qtbase/src/3rdparty/sqlcipher
  • Create the two directories:

    /Qt5.3.1/5.3/Src/qtbase/src/3rdparty/sqlcipher
    /Qt5.3.1/5.3/Src/qtbase/src/3rdparty/sqlcipher/lib
  • Copy the following files to /Qt5.3.1/5.3/Src/qtbase/src/3rdparty/sqlcipher:

    git cloned sqlcipher>\sqlcipher\shell.c
    git cloned sqlcipher>\sqlcipher\sqlite3.c
    git cloned sqlcipher>\sqlcipher\sqlite3.h
    git cloned sqlcipher>\sqlcipher\sqlite3ext.h
  • Copy the following file/directories to /Qt5.3.1/5.3/Src/qtbase/src/3rdparty/sqlcipher/lib:

    git cloned sqlcipher>\sqlcipher\dist\lib
  • The directory now consists of the following files and directories:

    /Qt5.3.1/5.3/Src/qtbase/src/3rdparty/sqlcipher
    |
    shell.c
    |
    sqlite3.c
    |
    sqlite3.h
    |
    sqlite3ext.h
    |
    \---lib
    |
    libsqlcipher.so
    |
    libsqlcipher.a
    |
    libsqlcipher.la
    |
    libsqlcipher.so.0
    |
    libsqlcipher.so.0.8.6
    \---pkgconfig
    sqlcipher.pc
6. Compile the QSQLCIPHER-driver-plugin for Qt:
* Execute the following commands:cd /opt/Qt5.3.1/5.3/Src/qtbase/src/plugins/sqldrivers/sqlcipher
* qmake (or) make
* This builds the QSQLCIPHER-driver-plugin within the following directory: /opt/Qt5.3.1/5.3/Src/qtbase/plugins/sqldrivers
  • libqsqlcipher.so
  • libqsqlite.so
  • libsqlcipher.so
7. Copy 'libqsqlcipher.so' to the SQL-driver-plugin-directory /Qt5.3.1/5.3/gcc_64/plugins/sqldrivers
Note:
  • Now restart your Qt creator and add QSQLCIPHER to your database as below,
    QSqlDatabase db = QSqlDatabase::addDatabase( "QSQLCIPHER");
  • Or, Print the Drivers available currently using QSqlDatabase::drivers() to verify if QSQLCIPHER is loaded properly.
  • We faced few performance issues in my application due to frequent open and close of DB for each query. You could either think of making your DB class as singleton and try to avoid frequent opening and closing of DB as it is very time consuming and expensive to use the key derivation each time.
  • We happened to run a sqlcipher command to perform few opertions on unix shell script. Below is one example on how you could add multiple statements in one line along with key derivation(-line),
    sqlcipher -line -csv "/location/path/to/create/csv/file" "pragma key = myKey; SELECT * FROM tableName;"


Saturday, July 25, 2015

Applying for New EAD with L2 Visa...

Here I want to share the procedure that I have followed for applying EAD. I applied it through e-filing system, as you can pay the filing fee of $380, online.

1. Online application is available in the below link,
http://www.uscis.gov/sites/default/files/files/form/i-765.pdf
2. Read it carefully and fill the form. Take care to fill the Question 16, which requires the category that you need to submit for applying the EAD.
3. Make an online payment of $380 and a confirmation receipt would be generated.
4. Later, Please follow the steps mentioned in http://www.uscis.gov/e-filing-i-765.

Below are my dates when status changed for your reference
Apr 12th 2015 - Applied for EAD online
Apr 13th 2015 - Received I-797C Notice of Action and my biometrics appointment the same week.
Apr 27th 2015 - USCIS received all my documents for support and status changed to "correspondence was received and uscis is reviewing it".
May 6th 2015 - Completed my biometrics
July 6th and 14th, 2015 - Raised couple of Service Requests online due to delay in EAD
July 17th 2015 - New Card/Document Production
July 22nd 2015 - Status changed to "card was mailed to me"
July 25th 2015 - status changed to "Card was delivered to me by the post office" with USPS tracking number.
I received the card in my mailbox on the very same day.

As you can see it took me more than 90 days (nearly 103 days), which was frustrating. But all is well at end and I am relieved right now. :) :) :)...
Now the next phase of my Job hunt starts....

P.S : Please don't stress yourself in this three months. Enjoy this short duration of vacation that you may not get once you start to work.

Wednesday, October 5, 2011

Reporting day @ wipro

I was asked to report on october 4th, 2011 in wipro campus, sholinganallur, chennai and my date of joining was 10th october. October 3 : I had a very little sleep that night since I have to leave early morning the next day to chennai. I boarded bus at 3.45 a.m and got to wipro campus at 7.30. Sharp at 8 a.m we were called inside. Few of my friends from anna university were there and so I was little bit releived. I felt nausea as I didnt have my breakfast that day. The whole day was tiresome as we were made to sit, fill and sign loads of forms (also bank formalities) along with detailed instructions given by them. Our certificates were verified. Atleast 160 members were present on that day. Only consolation was the free meals provided during lunch. Later they asked us to come on october 7th once again to finish other formalities(to provide us ID card and access card and to write a pre-assessment test on C and DS), which none of us in the hall expected. Everyone left the hall at 5.45 puzzled about one more extra day for the formalities. We were also not informed about the exact location in chennai (since wipro had three branches at -alwarpet,Guindy and sholinganallur) where the training would take place. With greatest difficulty I boarded the most crowded bus (since the next day was ayutha pooja and people were happy about the 2 days leave they would get) and reached home at 11.

Tuesday, June 7, 2011

CLOUD COMPUTING

Instead of running or saving our applications, files and documents in our desktop system, it can be hosted on “cloud”. Cloud consists of thousands of computers and servers all linked together and accessible via internet. Thus it is web based model and not just desktop based. Anyone can access their documents from any machine at any time though internet. Even if your desktop crashes, then there is no problem, since all the documents are safe in cloud (some remote server). Thus no longer you will be tied to work only from your computer.


It need not be considered as network computing. In Network computing documents and applications are hosted on a single company server and can be accessed over the company network. But cloud computing is something much bigger than that. It encompasses multiple companies, multiple servers and networks. This cloud is owned and operated by a third party on a consolidated basis in one or more data center locations. Thus it lives with the idea of virtual server concept which is cheaper than using dedicated servers (as used in network data storage).

Features:

o On-demand usage (subscription type model)

o Pay-as-u-go

o Secure

o Lower cost

o Good performance and computing power

o Fewer maintenance issues

o Vast storage capacity

o Compatibility with any kind of OS

o Can be used for projects that need group collaboration

o Latest version of software is available always

o Universal access

o Instant software updates

Types of cloud services:

1. Software-as-a-service

Here, a single software or application is delivered to thousands of users from vendor server. Users should pay not for owning it but for using it.

2. Platform-as-a-service

It is similar to providing “building blocks” to build something. It may be a piece of code or development environment etc. which is provided as a service for developing our own application.

3. Database-as-a-service

There are also similar other such kind of services available.

Cloud storage: It provides a vast storage space (virtual) which one can use as per his/her need. Amazon allows choosing 3 sizes of virtual servers

o Small -1.7GB memory, with 160GB of storage space and one virtual 32-bit core-processor

o Large- 7.5GB memory, with 850GB of storage space and 2 virtual 64-bit core processor

o Extra large- 15GB memory, with 1.TB of storage space and 4 virtual 64-bit core processor

Amazon’s EC2, Microsoft’s windows live suite, live mesh, Google’s Google docs, Google presentations, email, calendar and IBM’s Blue cloud, salesforce.com are some of the contributions by the giant companies in IT industry to cloud computing.

Web-based Word processors which mimic Microsoft word:

1. www.docs.google.com

2. www.buzzword.acrobat.com

3. www.docly.com

4. www.ajaxwrite.com

5. www.glidedigital.com

6. www.inetword.com

7. www.kbdocs.com

8. www.peepel.com

9. www.writer.zoho.com

10. www.writeboard.com etc.

Users can work on these documents and have a feel how cloud services work. This is not the end. There are lots of websites which provide similar kind of cloud service.

Web-based Spreadsheets

1. Google spreadsheets

2. www.editgrid.com

3. www.expresscorp.com

4. www.numsum.com

5. www.sheetster.com

6. www.thinkfree.com

7. www.sheet.zoho.com etc….

Web-based contact management

1. www.salesforce.com

2. www.bconnections.com

3. www.bigcontacts.com

4. www.same-page.com/contact-management.html

5. www.me.com

6. www.highrisehq.com

7. www.plaxo.com etc…

Web-based Event management applications

1. www.123signup.com

2. www.acteva.com

3. www.conference.com

4. www.cevent.com

5. www.eventwax.com

6. www.eventspot.com

7. www.regonline.com

8. www.setdot.com etc….

Web-based Online Scheduling

1. www.jifflenow.com

2. www.presdo.com

3. www.diarised.com

4. www.schedulebook.com

5. www.acuityscheduling.com

6. www.hitappoint.com and many more.

Web-based Online-planning and Task management

1. www.iprioritize.com

2. www.blablalist.com

3. www.hiveminder.com

4. www.planner.zoho.com

5. www.hitask.com and many more.

Web-based Databases

1. www.blist.com

2. www.cebase.com

3. www.dabbledb.com

4. www.lazybase.com

5. www.teamdesk.net and many more.

Similarly there are web-based applications for on-line file storage, creating to-do list, sharing services, calendar, web mail services, managing projects etc are available. Once explored, one can have a flair knowledge on cloud computing and how it works.

Note: Above all the information were gathered mainly from Michael millers book “Cloud Computing : Web-Based Applications that Change the Way You Work and Collaborate Online”.



Thursday, July 22, 2010

My M.E. Project???

Started my one year project for my 3rd semester. Perplexed if I could finish it successfully as an individual. My Project Guide DR. A.P. Shanthi is really sweet with her advice. But her scepticism if I am able to do it makes me more nervous. Yet it’s a general thing a guide would have about her student until I prove myself to her. The domain I work is multicore architecture.


The work involves (as far I have understood from my paper),

1. Installation of SESC simulator (with help of pradeep kumar sir)

2. Run a number of benchmark programs with different settings of SESC architecture to understand it fully.

3. Studying of opcodes and complete architecture of SESC

4. Understand my first phase of work properly

5. Should start implementing…

I am left with only 3 months to complete this fully. Have lots and lots of work to do.

Thursday, May 20, 2010

My One Year PG Life In Chennai...

Hi folks…..


Think it has been a very long time I have written any blogs. Neither I have studied any of my friends blog too!!! But sure I have lots and lots to write now…

Fortunately I have completed my first year of my PG. I cannot predict whether it was successful until my second sem result comes. My fingers are kept crossed waiting for my practical results which was the worst I have done. Do not know how my fate is written. Next semester project has to be dealt; selected shanthi mam as my guide; unknown field as my project area.

The whole year went just like that… but those big big hurdles I have crossed. I didn’t know that I would somehow finish. Those hurdles are nothing but my assignments, deadlines, assessments and mini projects besides these semester exams. I didn’t imagine that am going to cross those deadlines. It was a nightmare for me once. Now I look back surprised… “somehow I came through”.

Considering my attitude and progress the whole year I think I didn’t make up many friends as I thought. Very few in number. But happy that they are trustful. My progress in my studies was little below average and not satisfactory. I can give many reasons for that like my hostel environment ,low curiosity, distractions and so on. But I know that will not be fair on my part. Since I was wholly reason for my less marks. Really not satisfactory. I could have done better.

I was also able to see many people there who were continuously depressing by their butter speech like “ U r really good in studies. Why do u worry”… while they themselves worry for their marks which would be better than mine. And there were some people like “Is that mark isn’t enough for you”. Well, those people are the one who really lamented about their marks once and they give me such an advice when it comes to me. At last learnt a good lesson--- “ Never ever try to rate ur progress to a third person unless he/she is a good well wisher of urs. And whatever u judge about u is far more correct than what other people try to estimate or advice u.”

And enjoyment was quiet good around those environs. Always saw smiles in many faces which I was able to return back heartily. People were really good at wishing each other. Our class outing with Madhan karky sir and his family was nice. Had a great time in Elliots beach drenching myself fully in the sea water. Small small gallatas in class; movies with my friends were fabulous.

My first semester teachers were all great. Really learnt a lot from each of their subjects. Computer Architecture was little vague for me first, but when I started to understand what it really dealt with I enjoyed the subject. I loved Ranjani parthsarathy mam for her way of teaching. Truly she was inspiring. Regarding Easwarakumar sir, I struggled to pass his exam. Fortunately I accomplished it. His notes are all so important and he was genuine in all aspects of granting marks. It meant like it was either u get full marks or a zero. But enjoyed his style too. All other staffs were similarly quite good.

Initially I struggled to survive in my hostel with ever amplified voices of my roommates. Later I was accustomed to that environ. Enjoyed their presence. Lots of outings to T.Nagar, Hotels etc. Also one of my roommate(who was 5 years elder than me) got married later. It was a love marriage with none of their parents on either sides. Got a new surprise over that. Well they are fine now.

Hopefully I will be changing to some other place from next semester. But haven’t decided where.
                            
My class busy with last assessment preparation...oops?
All was well… So at present I trust in “all is well” too.... :)

Saturday, April 17, 2010

Life is something more......

This post is something which happend yesterday in my room. I was really shocked how youngsters have been brought up with same thoughts of our ancestors have insisted on us.I was engrossed in those thoughts whole night. Finally I thought I should write about this in my blog. 
   We usually discuss many things in our room. The most common topic is politics and we feel a lot why our politicians dont take proper steps to make our province a best one by reducing beggary, unemployment,putting off their big cut-outs, by not making proper decisions for the right cause etc and etc. We also discuss ways how those situations can change.
   But yesterday it was a different topic... Two girls were discussing which was the highest caste and which others followed by. Even one of the girl was teasing my other roommate by calling her with her caste name. And these two girls were the one who really took a great interest in scolding our leaders and the politics that prevailed in our state.Actually both were fighting telling that their point of veiw is correct(mentioning a particular caste to be highest).I was put in a great shock when they started this topic and am still in that state searching for a valid reason what would have made their thoughts to think in such a way. Many statements came up yesterday regarding this discussion which I dont want to put here as I really hate even to think more than this...
    we have all studied in schools, colleges, and work area were we forget all our social multifariousness. Yet people's mindset have not changed and each considering that their caste is highest....all these make a nonsense."Every bits count"....
Poor fellows they haven't been given the right lesson that " life is something more..."

Sunday, February 21, 2010

I do have one great man in my life……

Who else it could be for a girl my age… Yes. Its my wonderful Dad.


Day before yesterday, convocation ceremony took place in my college in a grand manner. Many parents and family members were seen with great smiles in their face. I was really glad to see this scenario and am waiting for the day when I will get my degree in my UG College and also in my PG.

Today in one of my class session I was suddenly engulfed by the thought of me getting my degree (literally dreaming), with my whole family present there along with the sweet newcomer of my family ie. my nephew, and I was giving a speech in stage as per the request of naffeesa mam, and I was thinking to make a speech like this….

“Dear friends, hope u all remember me. This is something a great day I was waiting for. Some blah blah blah…………. I would like to dedicate this degree of mine to my whole family present here and specially for one person… that’s none other than my beloved dad. The great hero whom I inspire a lot. This degree is not a great achievement for him. As he had already produced two products from our family (My two elder sis). But I would like to thank him for tolerating me the whole part of my life. As I remember my school days when I show my rank card with average marks, displeasing my dad, seeming to break my dad’s dream of being a bright student in my class.(Despite of my sis’s performance as best in their respective classes). All long I have been a great worry for my dad. He used to tell only those two lines “ படிப்பு மட்டும் தான் உனக்கு கடைசியா கை கொடுக்கும். அவர் அவர் வாழ்கை அவங்க கையில தான் இருக்கு.ஒழுங்கா படிச்சிடு மா” . These words often linger in my mind.”

Thus coming out of these thoughts besides my classes going on which I realised only then. Later I was thinking about him whose simple life with ambition of giving good education to all his three daughters and worked only for the particular cause.

He has grant me a fructuous life and showed me silver lining whenever I was in my clouds. His only motto in life is “Work hard and leave the rest to God”. He never aspired for big life but always wanted to live a content life of whatever he had. I salute this great man for all his sacrifice he made for us.

Thank you dad…….

Monday, January 25, 2010

Landed in Anna univ

Somehow after a GREAT struggle I got a place for me in anna university to do my PG in computer Science.But I wonder how am I going to climb this ladder again. I don’t know whether its going to be a successful ending or an unsatisfactory one.
Those frantic thoughts haunts my mind often, leaving me numb not knowing what my next step should be.
By God’s grace I was able to finish my first semester. But, the forthcoming semesters with 7 subjects, projects and placements drives me crazy.
During my 1st sem I used to think “I have landed up in a wrong place- This isn’t a right place for u sankari. People here are asking u to think, think and think.”(which I was not much used to in my UG).But now I couldn’t think all those. Whatever happens let me enjoy the environment of Anna university which I will not get after my PG.

Monday, January 18, 2010

AT LAST!!! My own blog

This is my first ever blog that i have created. During my UG I came to know about writting blogs from one of my friend. But I was unaware how to create blogs of my own. I approached whomever I know, but Alas!! may be I didnt have such people around me(or may be I didnt take proper effort to find by myself). It was the time I had great passion on writting many articles.But later my interests started to fade.
Thanks to my friend Beulah(now she is in my PG class).once chatting with her, she told me that her hobby was to write blogs... it just came in my way after a long gap.I am really happy to put my thoughts and share about myself here.Hope there will be many posts from myside henceforth.