Wednesday 29 January 2014

Digital conversion using Python

Python can be used to solve a number of mathematical functions. This post will cover some basic in-built Python functions for digital conversion. Let's see some examples.

To convert an integer into a binary string, use the function bin(x)

Eg:

>>> bin(10)
'0b1010'

To convert an integer into a floating number, use the function float(x)

Eg:

>>> float(15)
15.0

To convert an integer into a hexadecimal string, use the function hex(x)

Eg:

>>> hex(51)
'0x33'

To convert a floating point number or decimal number to an integer, use the function int(x)

Eg:

>>> int(8.94943)
8

To convert an integer into an octal string, use the function oct(x)

Eg:

>>> oct(65)
'0101'

Python on Mac OSX

All Apple Macbooks come pre-loaded with Python. On Mac OSX, the Python interpreter is located at /usr/bin/python

You can enter the python prompt (denoted by >>>) by just typing 'python' in the terminal.

Also, in order to quit from the python interpreter (>>>) type quit() or press CTRL-D

Note that Python is case sensitive, so if you type QUIT or Quit instead of quit(), you would get the following error :

>>> Quit
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 'Quit' is not defined

Youtube Hidden Game Trick

Check out this awesome hidden Youtube easter egg trick. Do the following:

Play any video on Youtube. While watching, click on right side of the video and immediately type 1980 on the keyboard. Viola!


Congrats. You just unlocked a hidden online game.

Tuesday 28 January 2014

HBO's True Detective - First Impressions

A few months ago, somewhere during the Breaking Bad's finale, I was checking the series' IMDB page to view the whole list of casts and characters. It was then, when I figured the poster of True Detective in the recommendations list. I quickly checked the True Detective's page only to find out that it was an upcoming crime thriller series starring superstars Woody Harrelson & Matthew McConaughey. I was instantly hooked up and added it to my Watchlist.




Now that the show has started running, with 3 episodes already on air, I'd like make some crisp notes about it's first impressions. The show is about 2 detectives investigating the gruesome ritualistic murder of a young girl in the Louisiana countryside. And when Hollywood biggies Woody Harrelson & Matthew McConaughey come together, it definitely ups the curiosity and expectation levels.

The opening title song Far From Any Road by The Handsome Family is a soothing soulful song with relaxing TexMex texture. The song has the sounds you'd normally listen in a small town Mexican bar. Also the opening credits are accompanied by beautiful abstract art imagery, which really goes well with the mystery-themed drama. It's like the classic delicious steak-smooth wine pairing :)

Apparently, the story doesn't quite seem to be groundbreaking fresh. I mean, so far, you must have seen a dozen films centered around a serial killer. This also is a serial killer hunt drama. At first glance, it might feel like "PPffh, I've seen it all". So what exactly makes this series different ? Let's try to analyse.

Right from the first episode, Harrelson and McConaughey make their presence felt. They add tremendous weight to their characters. Both of them pair up as detectives Hart & Cohle, together trying to crack the case of a serial killer. But both of them portray contrasting personalities, quite evidently. The resultant blend gives a unique taste to the juice.





Harrelson stars as a father of two little girls, having Michelle Monaghan as his wife. The trouble with him is that he is adulterous and cheats on his wife. He sees another girl Lisa (played by Alexandra Daddario). She's like the forbidden fruit, which Woody is tempted to eat. Infact, the episode 2 has both of them in a steamy nude scene. This causes visible friction between Woody and Michelle. Michelle plays a loyal home-loving devoted wife.





McConaughey on the other hand, is a detective who currently lives alone. He portrays quite a serious edgy personality who doesn't believe in Christianity (a total contrast to his Tropic Thunder character). He's shown to have lost his kid and his marriage didn't last after that. Perhaps the forthcoming episodes might shed a light on his past personal life. He occasionally goes high on substance, whereby he hallucinates. At office, he rubs shoulders roughly with other Louisiana authorities. Harrelson tries to play a balancing mediator here. McConaughey is also shown to be an astute observant, which gets them crucial leads in the case. On certain occasions, the intensity that he glows is comparable to his character in The Lincoln Lawyer.





These rich contrasting colorful characters add to the depth of the script and storyline. The narration goes back and forth to 2012 and various times in past during their investigation. Perhaps indicating that the case is not solved yet. The slow steady one-clue to next-clue progress reminds you of the exciting cat-n-mouse thrill of No Country for Old Men. The episode 3 even shows a 2-second glimpse of the monster at the end. This has me keep my fingers crossed as both the detectives slowly follow each clue to the next one. I'd expect the episode 4 to garner much higher viewership due to increased awareness.

Season 1 will be having only 8 episodes. Wish there were more :) Oh boy, am really excited to see all the next new episodes.

Rating : 4.95 / 5.00

Vi editor - Keyboard shortcuts

If you're new to working on a Unix shell, you must know that you can edit files through the command line itself, using the vi mode. Let me quickly show you some basic most frequently used commands (keyboard shortcuts) about vi editing.

1. To create a new file or open an existing file to edit, type vi filename

2. To close an opened file :

type :wq (to save your changes and quit) and press Enter

type :wq! (to quit without saving, use !) and press Enter

type just :w (to save a file without quitting)

3. To add some text to an opened file press i (This will allow you to insert text before the cursor)

Press a to append text after the cursor.

4. To Replace some text exactly under the cursor, type r

5. To delete a character under the cursor, type

6. To delete the entire current line type dd

7. To copy the current line, type yy

8. To paste the copied line, type p

9. To search for a string, word or a pattern in a file, type :/string-to-be-searched (Note the forward slash /) This will search the string in a forward fashion (from top-to-bottom). However, if you want to start searching backwards (from bottom-to-top) type :?string-to-be-searched

10. When you search for a string using forward slash / or question mark ? you could move to the string's next occurrence by typing n

11. To display the total number of lines in the file, type :=

12. To display the current line number, type :.= (Note the dot .)

Monday 27 January 2014

Random Key Generator using Perl

When you buy new software, there usually is a license key associated with your copy.  Ever wondered, how these keys get generated? Typically, advanced products use heavily encrypted key codes, while simple old-school vintage softwares used simple keys.

In this post, I'll show you a simple script to randomly create some keys using Perl.

Keys can be generated using different combinations. You could have plain vanilla keys containing only digits or alphanumeric keys or alphanumeric keys mixed with special characters or small letters mixed with capital letters. The choice is yours.

Ok, so in this program, we ask the user to enter the desired length of keys to be generated to make it interactive.

Alternatively, you could skip the user input altogether and hardcode a specific figure for key-length. Eg: $len_str = 16

use strict;
use warnings;

print "Enter the desired length of keys to be generated : \n";

my $len_str = <STDIN>;

my $random_string =&generate_random_string($len_str);

print "$random_string \n";

sub generate_random_string() {

$len_str = shift;

my @chars = ('a'..'z', 'A'..'Z','0'..'9','-','*','%','$'); 

my $random_string;

foreach (1..$len_str) {

$random_string .= $chars[rand @chars];

}

  return $random_string;

}  #end of subroutine

The subroutine generate_random_string contains the main logic of the program. Note that we have used the rand function which is responsible for generating random characters.

Note the line above in script, in which we have mentioned the condition - to include small letters a-z, capital letters A-Z, digits 0-9 and special characters -, *, %, $. Here you could add any other character you want to.

Thursday 23 January 2014

Read command line arguments in Perl

In Perl, the command line arguments are stored in the array @ARGV.

So the first argument passed can be displayed by $ARGV[0]

The second argument passed can be displayed by $ARGV[1] and like wise.

Eg:

If you run a script and pass 3 command line arguments to it :

./eg_script.pl Ironclad Writer 123

The first argument $ARGV[0] = "Ironclad"

The second argument $ARGV[1] = "Writer"

The third argument $ARGV[2] = "123"

Wednesday 22 January 2014

Data types in Perl

Perl interpreter can handle 3 basic data types :


  • Scalar - it stores single values. It must have the $ prefix sign Eg: $myvar
  • Array - it is used to multiple scalar values. It must have the @ prefix sign Eg: @my_array
  • Hash - it uses associate arrays which has key-value pairs. It must have the % prefix sign Eg: %my_hash

Tuesday 21 January 2014

Check if a user has root access in Mac OSX

On Mac OSX or any other unix flavor, you can find if a user has root access i.e superuser privileges or not. Open terminal and type the following

Eg:

sudo -l -U ironcladWriter

where the -U switch stands for user name.

If you have root access, you will see the following in the output :

User ironcladWriter may run the following commands on this host:
    (ALL) ALL

If by any chance, you don't know your username, type the following in Terminal :

whoami

Thursday 16 January 2014

Boxer - DOS games emulator for Mac OSX

Ever miss the classic DOS games of the 90's in the Windows era? Well, if you own a Mac, you can still play those classics on your machine.

Remember the first person shooters like Wolfenstein, Doom, Quake, Duke Nukem 3D or the side strollers like Bio Menace, Dangerous Dave, Prince of Persia, Aladdin or Lion King?

Well if you loved playing the above games, then BOXER is definitely the app for you. Period. Oh and by the way, it has nothing to do with boxing :)

Boxer is a beautiful DOS games emulator for Macs which is basically powered by the DosBox's emulation at its core.

DosBox can be separately installed on Mac, but many users might find it confusing and tricky to install it through Terminal. Boxer saves you those hassles. You don't need the technical expertise to run commands on the command line. All you have to do is download Boxer and the DOS games.

Now, if you're wondering where to find good old DOS games, please check out the following links :

DOS Games Archive

Liberated Games

Good Old Games

DosGames

Here's a quick simple walkthrough to use Boxer :

Once, downloaded simply open it to view the welcome screen.


Then go to any of the above DOS games sites and download the game. It usually might be a zip file.
Unzip it and click "Import a new game".


Now, all you have to do drag and drop the unzipped game folder into the dotted square as seen above. This will initiate the importing process. If the game has Install.exe as its installation program, it will be automatically selected at this stage.

Let's take an example of the Apogee Software's Bio Menace. You'll see the following screen once you drag-n-drop the unzipped folder. 


It will automatically select the Install.exe. You just have to click "Launch Installer". In the next screen you'll see the actual installation process, as it would have happened on a DOS prompt.


In most cases, you just have to follow the default steps in general, to proceed with the installation.


The screen below shows that the games has been imported successfully and is ready to be played on your Mac.


At this stage, you can drag and drop any image or cover art for the game, to make it look attractive and identifiable on your game shelf. 


Now, click "Launch Game". Sit back, relax and start playing :)


This emulator is similar to the Wine wrapper used to play Windows games on Mac OSX or Linux. 
Also, if you click the Display tab in Boxer's preferences, you choose the type of rendering style as seen below. 


Ok guys, am sipping on some Pepsi before the action begins. It's time to play Snake Logan and start shooting the dirty filthy alien monsters. Aaaaah I so feel like it's the 90's again :)



Bbye !


Ektoplazm - Psychedelic Music Supersite

Hello fellas! When it comes to music, am a huge fan of electronic music and especially the psychedelic trance genre. Well, if you're like me, you would want to check out this wonderful awesome site : Ektoplazm.

This website is purely dedicated to psychedelic music and it's sub-genres like Goa trance, Dark psytrance, Psycore, Progressive, Ambient and also speciality niche sub-genres like Downtempo, Suomi, Forest, IDM, Experimental.



Oh boy, I listened to a few albums and I just couldn't put my headphones down :) I especially relished the great taste of Dark psytance and Forest tracks. The music was so effective in creating a dark ambient mood.

The melodies composed using the strange ethereal sounding sounds coupled with techno elements totally created a wonderful dark atmospheric texture, perfectly capable of recreating the human emotion of fear, anxiety of treading the uncharted territory.

In a few days from now, I'll post a list of the fresh tracks that got a place on my iPod. In the meantime, do explore the website and sample the music to identify which styles suit your tastes.

Monday 13 January 2014

Mexicue - Food Truck, New York City

Just the other day while watching Eat Street, I was reminded of a food truck that I bumped into somewhere in Brooklyn some time back. The name is Mexicue.

It has a cute little orange truck which serves some great tasting burritos, enchiladas, tacos, nachos and the typical mexican fare, which is much much better than Taco Bell. Check out Mexicue's menu here. It's most popular dishes are the Brisket slider, Rice bowls, Alabama Chicken taco. It does offer classic beers like Tecate & Pork Slap.

And well, just like many other food trucks, it travels across Manhattan and Brooklyn. The truck locations can be found through Twitter updates. Checkout it's official twitter handle here.





FYI : Eat Street is a popular canadian street food based reality show, which airs on Food Network in Canada, Cooking Channel in USA and Fox Traveller in Asian regions.


Changing default connector port in Tomcat

In my previous post about Tomcat manager, I said about changing the default port in Tomcat. So here's a quick small post about how we can change the default connector port 8080 in Tomcat.

Browse the apache installation folder and check for the file - server.xml. It's usually located under the conf folder.

By making a small edit in this file - server.xml, we can change the default port 8080 to some other port eg: 8081 or 8085. Scroll down till you find the tag for connector port. Check the screenshot below for reference.


Now all you have to do is modify the Connector port from default 8080 to any number like 8081, 8082, 8085 as you wish to. This is especially useful if you use any other application or web application server or service (eg: Hudson for continuous builds) which also uses port 8080.

Friday 10 January 2014

Taskdef in Apache Ant

The 'taskdef' attribute can be used to add a task definition which would then be used in the existing project.

The taskdef tag is an important step you need to know, before I compose a post about automating deployments to tomcat.

It's syntax is similar to the typedef attribute.

Eg:

<taskdef name="start-tomcat" classname="org.apache.catalina.ant.StartTask" />

Observe how we set the classname attribute above.

Official information about Taskdef can be read here.

Accessing Tomcat Manager

If you deploy your web applications to Apache Tomcat, then you may want to know about accessing the Tomcat manager page.

Let's assume you already have downloaded Apache Tomcat. If not, please download the current stable version v7.x from the official download site.

Once you have downloaded Tomcat you have to set the environment variables.

Now in order to access the Tomcat Manager, go to the tomcat_home/conf directory { For instance /usr/temp/apache-tomcat-7.0.47/conf }.

Now edit the tomcat-users.xml file in Terminal. { vi tomcat-users.xml }. Scroll down and you'll observe the tags for roles and users.

Insert the following roles as follows :

  <role rolename="admin-gui"/>
  <role rolename="admin-script"/>
  <role rolename="manager-gui"/>
  <role rolename="manager-script"/>
  <role rolename="manager-status"/>

Below the roles insert a new user named as 'admin' and define his roles in the following fashion :

<user username="admin" password="***" roles="admin-gui,manager-gui,manager-script"/>

Make sure to remove the comment tags <!-- and --> before roles and after the users block and save the file.

If you're not conversant with vi editor, I'll cover the topic about vi keyboard commands in another post.

For now, once the edits are made to the tomcat-users.xml, startup tomcat and open browser.

In the browser, type localhost:8080 { default port is 8080, but it can be modified if you want to. I'll cover this topic as well in a separate post. }. Then click the button Manager App on right. Check the below screenshot for reference.


Once you click Manager App, you'll prompted to enter the credentials. Enter the admin username and password which you specified in the tomcat-users.xml, to thereby access the manager. Here you can see the list of deployed applications. Individual applications can be started or stopped here. You can also check the server status here.


If you want to manually deploy a web application, you can choose the .war file and manually deploy it from this page. However, if you want to automate the deployment of a .war file using Apache Ant, I'll cover the topic in detail in another post. The post will contain information about copying the tomcat jars to ant home, defining tasks in build.xml to start, stop tomcat, deploy, undeploy an application. Stay tuned :)

Wednesday 8 January 2014

List all users and passwords in MySql on OSX

If you want to list all the users and their passwords in MySql on OSX, type the following on Terminal :

In the mysql prompt:

mysql> select user, password from mysql.user;

The above command will display the entire list of Mysql users and their encrypted passwords in a tabulated format.


Note that, since the default encryption is not considered safe enough, it is often advised to use MD5 or SHA1 encryption. We will cover that topic in another post.



Login to Mysql on OSX

This post assumes that you already have installed MySql on your machine. If haven't done it yet, please download the relevant platform version from the Official Mysql Download site.

In-order to logon and invoke the MySql prompt, type the following in Terminal :

mysql -u <username> -p

Enter password : <Type your password here>

Eg:

mysql -u IroncladWriter -p
Enter Pasword: ***

On a successful login, you get the following prompt -


Tuesday 7 January 2014

New York City subway romance

New York City as you know it, is always bustling with people - the tourists, the locals, the office peeps, the hipsters, the blue collared staff, the wall street guys, the cops. No matter where you go, you'll always bump into people.

However there are some folks who prefer peace and quiet over the hustle & bustle. For instance, the newly formed couples or the just-dating teens. Sometimes even you get this urge to get away from the crowd and commotion. Thats when, you really have to scout around looking for some private spots to get cosy with your loved ones.

Check out a smooth pacifying photo which captures this emotion. A couple just getting closer and strengthening their bond.


P.S : This was taken by me at the 42nd street Bryant Park subway station on one chilly night.

Eclipsed files in Clearcase

In Clearcase, sometimes files are not visible because they get eclipsed. This is because another object of the same name is being currently selected by the view.

This usually happens when the dynamic view is unable to delete the local copy of the checked out file even after you check it in. This view-private file thereby eclipses the file and is not visible.

One of the reasons why Clearcase is unable to delete the local copy is because some other 3rd party tool is accessing and locking the file.

Eclipsed files are denoted by the half-moon symbol as shown below:

Image courtesy : IBM


A detailed official IBM technote can be read here. Here you can read about recreating the steps for creating the eclipsed file scenario.

Count lines, words & characters of a file in Unix

On Unix and Linux machines, if you want to find out the word count, number of lines and the total number of characters used in a certain file, use the wc command in the following way.

Eg:

cat build.xml | wc

The output will be like 

9      26     297

Here, 9 is the number of lines, 26 is the number of words and 297 is the number of characters.

Accept user input in Apache Ant

In Apache Ant, you can use the Input task in build.xml to accept user input. Check out the following illustration.

Eg:


As you see in the Input task, we specify the message that should get displayed asking for user input. 
The user input is then stored in a property named "my-name" in this case.
The valid arguments i.e the valid options are mentioned in the validargs parameter.

A detailed technote can be read here.

IronCladZone Fan Base

Awwrightie... So after a month of regular active blogging am down to crunching the numbers. Looking at the number of hits, I'll quickly list down the top 5 countries, from where most of my traffic comes in.

As of today:
  1. United States
  2. India
  3. United Kingdom
  4. Germany
  5. South Korea
Quite understandably, since much of the content caters currently to American and Indian audience. Hopefully in the near future, I would like to mix and match content which satisfies a much broader and diverse audience. Cheers, Prost, Chukbae, Salud, Skol, Nazdroviya, Kampai...


Sunday 5 January 2014

Sholay revisited - Bollywood classic

This weekend, the classic 1975 Bollywood crime thriller Sholay re-released in the 3D format. Sholay stands out as an iconic evergreen cult classic which features the most remembered villain character - the bandit leader Gabbar.

Gabbar was played by the late actor Amjad Khan. Gabbar's seemingly simple dialogues became so popular, they were often used in jokes and light conversations. One of the most remembered scenes of all Indian movies, is the "Kitne aadmi the ?" scene i.e "How many men were there ?"

Let me explain the scene to you in short. Gabbar's 3 loyal dacoits went to loot a village and extort money from innocent people. However, the 2 protaganists Jay (played by Amitabh Bachchan) & Veeru (played by Dharmendra) , fight them off, so the 3 henchmen return empty handed. The dacoit leader Gabbar gets extremely angry and frustrated by hearing this. What follows is a scene in which the 3 dacoits have to pay a heavy price for coming back empty handed.


Another famous intense scene is the "Ye haat humko dede thakur" which translates to "Give me your hands, thakur". Here Gabbar chops off the thakur's hands with swords.



As a tribute to the classic scene, check out this funny Sholay meme featuring some Indian students.




Saturday 4 January 2014

Hijacked file in Clearcase

Developers and coders who have their codes under Clearcase version control, often come across the hijacked file scenario. The scenario arises with a snapshot view ONLY and never with a dynamic view.

If you try to modify a loaded file within the snapshot view, without checking it out, it results into the file getting hijacked.

Since the file is not checked out, there's nothing to checkin. So in order to merge your changes, you will have to first checkout the hijacked files and then checkin.

If you want, you can later undo the hijacked files.

Fixing the text_file_delta error in Clearcase

If for some reason you're unable to checkin a checked-out file and you see the text_file_delta error, then do the following.

Change the type manager of the file to compressed_file using the command chtype.

Eg:

If you get the text_file_delta error while checking in test.txt, then use the foll. command.

cleartool chtype compressed_file test.txt

Detailed technote can be read here.

Blarney Cove - New York City

Blarney Cove, one of the last remaining iconic old-school dive bars of the East Village, has closed down for good. I might have passed by that bar for many years but very occasionally did I checkin. However, during Feb of 2012, last year, the Blarney Cove was running it's last about-to-close days. I did once drop by to say goodbye.

This bar was one of the few dive bars who offered cheap $10 Budweiser pitchers and $3 beers. So yes, it used to be frequented often by locals who were on a budget, sometimes by the punk'd hipster crowd from the Alphabet village but you could hardly find visiting tourists here. During my few couple of visits to the bar, it seemed everyone around knew each other.

It also featured a cheap Internet jukebox. Check out this picture which features the Asian bartender (in white-green top) dancing like crazy.


Friday 3 January 2014

India House - Santa Fe, New Mexico

Parts of the Bollywood film 'Kites' starring Hrithik Roshan & Barbara Mori, were shot in and around Albuquerque & Santa Fe... and from what am aware of is that the India House served as its lunch catering partner. The moment you enter the restaurant, you see pictures of the owner with actor Hrithik Roshan, film producer Rakesh Roshan & director Anurag Basu etc... Boy, Bollywood is going places and so is the Indian Empire :)
It feels nice to actually find a good Indian restaurant in a region which is surrounded mostly by desert. A city where you come across just a couple of Indian food establishments. So well, somewhere around December of 2011, we a group of 4 people went to this place. We started with paneer pakoras, tandoori chicken wings, cheese fingers for apps. Next we shared bhindi masala, paneer makhani & dal makhani with Indian breads like kashmiri naan, aloo paratha, garlic naan etc... Finally ended our stuffed dinners with desserts - gulab jamun, kheer, mango lassi etc.

Tstamp task in Ant

The Tstamp task in Apache Ant is used to set the DSTAMP, TSTAMP and TODAY properties. These properties can then be used in the build file, to generate filenames having the timestamps as strings.

Eg:

<tstamp>
        <format property = "current-date" pattern = "d-MMMM-yyyy" locale="en" />
        <format property = "current-time" pattern = "hh:mm:ss" locale="en />
</tstamp>

Note the nested element format which is used to set properties to a current time or date.

You could also add a prefix to these properties as follows:

Eg:

<tstamp prefix = "info">
</tstamp>

This will prefix the properties with the world info info. i.e. info.DSTAMP, info.TSTAMP, info.TODAY

Official detailed technote can be found here.

John Abraham married!

If you check out Bollywood superstar John Abraham's official twitter handle, you see the words : Love, John and Priya Abraham (nee Runchal). The very fact that Priya has changed her surname to Abraham indicates that they have married in the US.

Priya Runchal is an investment banker, whom John started dating after splitting up with Bipasha Basu in 2011. John and Bipasha were one of the Bollywood's power-couple who were together since a decade.



Thursday 2 January 2014

NYE Party nightmare @ Tulip Star, Mumbai - Groupon Refunds

People who bought online tickets of the Tulip Star's NYE party from Groupon, here's some good news you could use.

Please check with Groupon's customer support regarding the show's refunds. A few customers have received an email confirmation that they would be refunded the money. Finally some silver lining to the dark clouds :)

Email support.co.in or call toll-free 1800-108-3000 

Hope it helps.

NYE Party nightmare @ Tulip Star, Mumbai - Media Coverage

Tulip Star's NYE fiasco has been the talk of the town with the horrible disaster getting pounding media coverage. Here's a compilation of articles that features the event in print.

Mid-Day : Angry mobs wreck New Year's Eve parties

Times Of India : Irate revelers go on the rampage at three venues

DNA : Party organiser, Juhu hotel owner booked for cheating revelers

Mumbai Mirror : Crowds, bartenders hurl bottles at each other over lack of food and alcohol

Indian Express : New Years Eve turns sour as organisers play spoilsport

Business Standard : Hotel owner, event organiser booked for cheating

Angry customers are uniting on social media by forming Facebook groups, online petitions to get a refund. As of date, an FIR has also been filed against the organizers PurpleStone Entertainment at Santacruz police station.

Facebook Group : Complain Against Fraud Done by Tulip Start Hotel & Purplestone Entertainment

Facebook Group : Against Tulip Star


Wednesday 1 January 2014

NYE Party nightmare @ Tulip Star, Mumbai - Bookmyshow Refunds

Folks who have bought online tickets for the Macau Midnight Madness NYE party at Tulip Star Mumbai, please check the following piece of information on Bookmyshow regarding refund of cancelled shows.



Make sure to call the above mentioned Bookmyshow customer care number 022 39895050 and ask them about the status of refunds. My 2 cents. Hope it helps.

NYE Party nightmare @ Tulip Star, Mumbai - Update

In our previous post, we reported about the horrible fiasco that happened at Tulip Star NYE party in Mumbai. Some more information has popped up about how callous and irresponsible the management was.

Thousands of customers who had bought the tickets were frustrated and angry to know that the show was cancelled. One such dissatisfied and angry customer Bharat Shah shared his bitter experience. He was waiting in the queue to enter inside since 8.30 pm and kept standing for about 2 hours. And finally, when he reached the entrance counter, he was shocked to see no person around. There was no person at the counter to check the entrance formalities.

It was then, when he, along-with thousands of other revelers realized that the organizer had cheated them. Some people had come to the event, all the way from as far as Nashik, only to be utterly disappointed. When he entered inside he could see how the stage and other setups were vandalized by other angry customers.

The customers are now scrambling to get their ticket refunds. IronCladZone intends to guide disillusioned customers and help them share their views across and dispense useful information on getting justice.

Check out some pictures below of the mismanaged event.

Image Credits : Bharat Shah






NYE Party nightmare @ Tulip Star, Mumbai

Juhu Tara Road of Mumbai, which houses multiple 5-star hotels, was crowded last night with party revelers out on street. Turns out, one of the organizers which organised a NYE party - Macau Madness at Tulip Star, cancelled the show and fled. It seems the people were cheated of their money who had paid as high as INR 8000 for the show. Many consumers felt disgusted and frustrated and are contemplating legal action against the organizers.

A detailed report can be read here. The canceling of the show resulted in huge crowds spilling all over the Juhu neighborhood. Cops were constantly patrolling and monitoring the crowds. The traffic police had their hands full, trying to manage the mess. This resulted in traffic moving along at a snail's pace.

All-in-all, it turned out to be a New Year's nightmare for all the folks, who were enthusiastically looking forward to welcome 2014.


Related Posts Plugin for WordPress, Blogger...
eXTReMe Tracker