Home

31.12.11

Teleport your lost companion to you!

















On PC: (try the simpler console methods above first)
  • Save your game.
    Reload a game where your follower is with you.
  • Now open the console with the `/~ key on your keyboard.Click on your follower, and it should display their ID in brackets. For instance, with Erandur it displayed: " (00024280). Write this number down.
  • Reload your current game (the one where you're looking for your follower), and open the console again.
    Type in 'prid putfolloweridhere' (selects any object in the game)
    Hit enter.
    Followed by 'moveto player' (moves that object to your location)
    Then hit enter, and they should be moved to you. Close the console again by pressing the `/~ key.

    Example: to move Erandur to your location:
    Type: `
    Type: prid 00024280 (enter)
    Type: moveto player (enter)
    Type: `
    Erandur will appear next to you.

    Followers moved with this method will still have all their items etc from last time you saw them.


Some follower IDs:

Layla: 000a2c94
Erandur: 00024280


29.12.11

Android Market on EFUN nextbook Premium 8
















forum.xda-developers.com/showthread.php?t=1374742&page=1

which is based on..

http://www.slatedroid.com/topic/25575-e-fun-nextbook-8-premium-next8p-modification/

Currently, there is an issue with the camera if you root it. So beware!


Also, click here for a review of the EFUN nextbook Premium 8.

16.12.11

Even or Odd? (Java)

http://www.roseindia.net/java/beginners/IfElse.shtml

import java.io.*;

public class IfElse{
  public static void main(String[] args) throws IOException{
  try{
  int n;
  BufferedReader in = 
  new 
BufferedReader(new InputStreamReader(System.in));
  n = Integer.parseInt(in.readLine());
  if (n % == 0)
  {
  System.out.println("Given number is Even.");
  }
  else
  {
  System.out.println("Given number is Odd.");
  }
  }
  catch(NumberFormatException e){
  System.out.println(e.getMessage()
+ " is not a numeric value.");
  System.exit(0);
  }
  }
}

Convert numbers in to words (Java)

Convert numbers in to words (Java)

Short and sweet?

http://www.daniweb.com/software-development/java/threads/67369/page2

  1. /** Holds the number 1-19, dual purpose for special cases (teens) **/
  2. private static final String[] UNITS = {"one", "two", "three", "four", "five", "six", "seven", "eight", "nine", "ten", "eleven", "twelve", "thirteen", "fourteen", "fifteen", "sixteen", "seventeen", "eighteen", "nineteen"};
  3. /** Holds the tens places **/
  4. private static final String[] TENS = {"ten", "twenty", "thirty", "forty", "fifty", "sixty", "seventy", "eighty", "ninty"};
  5. /** Covers max value of Long **/
  6. private static final String[] THOUSANDS = {"", "thousand", "million", "billion", "trillion", "quadrillion", "quintillion", "sextillion"};
  7.  
  8. /**
  9.   * Represents a number in words (seven hundred thirty four, two hundred and seven, etc...)
  10.   *
  11.   * The largest number this will accept is
  12.   *
    999,999,999,999,999,999,999
    but that's okay becasue the largest
  13.   * value of Long is
    9,223,372,036,854,775,807
    . The smallest number
  14.   * is
    -9,223,372,036,854,775,807
    (Long.MIN_VALUE +1) due to a
  15.   * limitation of Java.
  16.   * @param number between Long.MIN_VALUE and Long.MAX_VALUE
  17.   * @return the number writen in words
  18.   */
  19. public static String numberInWords(long number) {
  20. StringBuilder sb = new StringBuilder();
  21. // Zero is an easy one, but not technically a number :P
  22. if (number == 0) {
  23. return "zero";
  24. }
  25. // Negative numbers are easy too
  26. if (number < 0) {
  27. sb.append("negative ");
  28. number = Math.abs(number);
  29. }
  30.  
  31. // Log keeps track of which Thousands place we're in
  32. long log = 1000000000000000000L, sub = number;
  33. int i = 7;
  34. do {
  35. // This is the 1-999 subset of the current thousand's place
  36. sub = number / log;
  37. // Cut down number for the next loop
  38. number = number % log;
  39. // Cut down log for the next loop
  40. log = log / 1000;
  41. i--; // tracks the big number place
  42. if (sub != 0) {
  43. // If this thousandths place is not 0 (that's okay, just skip)
  44. // tack it on
  45. sb.append(hundredsInWords((int) sub));
  46. sb.append(" ");
  47. sb.append(THOUSANDS[i]);
  48. if (number != 0) {
  49. sb.append(" ");
  50. }
  51. }
  52. } while (number != 0);
  53.  
  54. return sb.toString();
  55. }
  56.  
  57. /**
  58.   * Converts a number into hundreds.
  59.   *
  60.   * The basic unit of the American numbering system is "hundreds". Thus
  61.   * 1,024 = (one thousand) twenty four
  62.   * 1,048,576 = (one million) (fourty eight thousand) (five hundred seventy six)
  63.   * so there's no need to break it down further than that.
  64.   * @param n between 1 and 999
  65.   * @return
  66.   */
  67. private static String hundredsInWords(int n) {
  68. if (n < 1 || n > 999) {
  69. throw new AssertionError(n); // Use assersion errors in private methods only!
  70. }
  71. StringBuilder sb = new StringBuilder();
  72.  
  73. // Handle the "hundred", with a special provision for x01-x09
  74. if (n > 99) {
  75. sb.append(UNITS[(n / 100) - 1]);
  76. sb.append(" hundred");
  77. n = n % 100;
  78. if (n != 0) {
  79. sb.append(" ");
  80. }
  81. if(n < 10){
  82. sb.append("and ");
  83. }
  84. }
  85.  
  86. // Handle the special cases and the tens place at the same time.
  87. if (n > 19) {
  88. sb.append(TENS[(n / 10) - 1]);
  89. n = n % 10;
  90. if (n != 0) {
  91. sb.append(" ");
  92. }
  93. }
  94.  
  95. // This is the ones place
  96. if (n > 0) {
  97. sb.append(UNITS[n - 1]);
  98. }
  99. return sb.toString();
  100. }

7.12.11

Kimi no Shira nai Monogatari by supercell (Band Score)



http://guitarlist.net/bandscore/supercell/kiminoshiranaimonogatari/kiminoshiranaimonogatari.php


Download: http://adf.ly/6Dtly
(scan)
*link fixed*

6.12.11

Printscreen on Macbook Bootcamp (Window)

shift+fn+f11

3.12.11

Skyrim: Esbern Door bug (solution)

Stuck? Esbern doesn't want to open the door? No sound from Esbern? Solution here!

2) Open the program, go to Skyrim > Data > Skyrim > VoicesExtra.bsa
3) Extract it to Skyrim > Data (Or extract it to Desktop, and copy and paste the folder into Skyrim > Data)




8.11.11

Quantum FAQ

(1) What is the meaning of psi and psi*?
psi and psi* by themselves have no meaning. Only psi*psi has meaning, which is the probability.

(2) What is the difference between psi and ket (or psi* and bra)?
ket describe a state of a particle. psi is the wavefunction of that state. For example a ket |s> describes a particular state. is the wavefunction of that ket in terms of position.

(3) What do we mean when we sandwich something between a bra and a ket?
For example, we have . This means the expectation value or average value of A. A can be energy, position, momentum, etc.

(4) What are colour charges?
In electricity, we have positive charges and negative charges (2 quantities to describe the electronic charges).

For quarks, we have red charges, blue charges and green charges (3 quantities to describe colour charge.) It happens that the number of quantities to describe colour charge is 3.


(5) What is the difference between leptons and quarks?
Quarks are affected by all 4 fundamental forces(strong, weak, electromagnetic, gravity).

Leptons are affected by only 3 fundamental forces(weak, electromagnetic, gravity).


(6) How spin and anti-particles comes about when we marry QM with SR?
One equation that unifies QM and SR is the Dirac equation. There are 4 solutions to the Dirac equation (particle spin up, particle spin down, anti-particle spin up, anti-particle spin down).


(7) What are hadrons?
Hadrons are particles held together by strong force.
Hadrons can be baryons(3 quarks), anti-baryons(3 anti-quarks) and mesons(1 quark and 1 anti-quark).


(8) Matters are made up of fermions. Why helium is a boson?
The bounded system containing even number of fermions can be considered as bosons. E.g Helium contain 2 proton and 2 neutrons. Since the number of fermions is even, we can treat helium as boson.

(9) Why the sea of electron is considered the vacuum? i.e.we cannot "see" it.
The negative energies are all filled up by electrons.  Seeing it means that we can see the negative energies. However, negative energies are not  natural occurring. We have to artificially create it. This means that we need to promote the electron occupying in the negative energy state in order to “see” the negative energy.
 
(10) Why QED is easier than QCD?
 QED are easier than QCD. The reason is that the photons (messengers) come only as 1 type of particle. However, in QCD, the gluons (messengers) come with 3 colours. This makes the calculations more complex.

(11) Where are vertices in the Feymann diagrams? What are they?
The vertices are at the intersection points. The vertices represent specific interactions. Actually, at every vertex, there is an integration to perform.

(12) What is the meaning of "off mass shell"?
 Off mass shell means that virtual particles are involved. During those situations, the energy dispersion relation E^2=p^2c^2+m^2c^4 is not true any more.


(13) How to deduce D^0?
Since D^0 is a meson it contains an anti-quark and a quark. We are told that it has charm number=+1. This means that there is charm quark. So what we need to do is to identify the other anti-quark. D^0, the zero means it has no electronic charge. Since charm quark has electronic charge 2/3, the anti-quark must have electronic charge -2/3. There are only 2 possibilities u-bar or t-bar. By convention, we choose the lightest one that is u-bar. Thus D^0=cu-bar.

(14) Why quarks cannot be separated? (Dumb bell analogy? Quark Confinement )
Lets take an example that we want to separate a X quark from a Y quark. We are forcing the X quark to the left and the Y quark to the right.

Note that we need to input a lot of energies to separate them. However, when the energies are high enough, the energies input are converted to particles!

This means that on the left, the X quark is paired up by another Y quark(created by the energy we input). The Y quark on the right is paired up by another X quark(created by the energy we input).


(15) How many “particles” are there?

Case 1: Exclude electronic and colour charges; exclude anti-particles; exclude force particles àwe have 6 leptons and 6 quarks = 12 particles.

Case 2:Exclude anti-particles; exclude force particles -- we have 3 colours for each quarks. That is 18 quarks and 6 leptons = 24 particles.

Case 3: Exclude colour charges; Exclude force particles -- The particles in case 1 plus their anti-particles = 24 particles.

Case 4: Exclude force particles -- The particles in case 2 above plus their anti-particles = 48 particles.


(16) How many force particles are there?
If we ignore all charges(electronic and colour), there are just 4. If we want to include the charges there are 13 = 1 graviton + 1 photon + 8 gluons(rgb)+(W^+)+(W^-)+Z.
Gluons have 8 independent colours states(out of the scope this module).

 

(17) Are bosons forces particles?
All force particles are bosons but not all bosons are force particles. Eg, helium-4 is a boson but not a force particle.

(18) What is the purpose of R3 in lasing?
If we promote atoms to the excited state, they will decay to the ground state spontaneously and randomly. We cannot create laser using 2 states systems.

In order for a laser to work, we need an intermediate state R3(meta-stable). The excited atoms will be stored in this state. When the many atoms stored in this state starts to decay to the ground state at the same time, the laser will be created.

The strength of the laser depends on how many atoms the meta-stable state can store.

The inclusion of this meta-stable state allows us to re-derive the planck's law. This is the link of laser with quantum physics.


 (19) Why helium spin is zero?
Helium contains 2 protons and 2 neutrons. Protons and neutrons are fermions, spin=1/2. The total spin of Helium can be 1/2+1/2+1/2+1/2=2 to 1/2-1/2+1/2-1/2=0. i.e spin of helium can be 2, 1, 0. Thus helium being spin zero is only 1 of the 3 possible cases.
Since helium contains even number of fermions, it is a boson.


(20) Does Higgs mechanism applies only to massive bosons(W+,W-,Z)?
No, higgs mechanism gives mass to all fundamental particles.

(21) Is order of quarks in baryons/anti-baryons/mesons important?
No, the order is not important. Eg ddu=dud=udd.

(22) How do we name the supersymmetric particles?
All force particles will have their supersymmetric partner with name ending with "ino". eg Photino, Gluino, Winos
All quarks and leptons will have their supersymmetric partner with name starting with "S". eg Selectron, Smuon, Sup, etc
   

25.9.11

Mustang by Nada Surf (lyrics)

This is not a lie, there’s no double-side
If the world you wish for is in my mind
But we destroy the sky by doing what we like
The moon’s gonna watch the world go

Barely there and white, can’t hold it in my eye
Still It’s all I think about and all the time
A promise is forever but forever doesn’t know
Even that will fade and then go
※1
Sheets come down, they fall by chance
They drop but they don’t complain
They got to float and now they have to rain

Who are you today? Galileo Galilei?
Do you live in a world that nobody can paint
No matter who was right, no matter what you know
The moon’s gonna see the world go

This is not a lie, there’s no other side
Sometimes when we joke about it doesn’t feel right
I stuck to promise hardly anyone has made
It’s the onlly thing that’s saving my pride
(※1)
※2
Oh oh I lost something and I know
I know it’ll swallow me whole
Like a shell that’s swept away
Stolen by the waves
(※2)
Barely there and white, can’t hold it in my eye
Still it’s all I think about and all the time
A promise is forever but forever doesn’t know
Even that will fade and then go

You are so bright, you filled my mind
Like a vision in a frame
I’m about to lose that too
‘Cause your picture’s faint

from http://detail.chiebukuro.yahoo.co.jp/qa/question_detail/q1363103233

G15zeroeight




















Sample story: http://joshuatj.com/2011/05/24/the-atoms-atom/

http://www.physics.nus.edu.sg/einstein/

ME:

http://www.nerdum.com/gaming/the-physics-of-mass-effect-2/
http://mranthonydr.blogspot.com/2011/02/physics-of-mass-effect.html
http://www.gamertell.com/technologytell/article/mass-effect-makes-physics-cool/

21.8.11

NUS Stuff

http://www.comp.nus.edu.sg/~wangy13/
http://www.comp.nus.edu.sg/~albertmt/Download/Education/
http://www.box.net/shared/g7sujvpgda

1.8.11

Sunfire on Mac

  1. ssh ytz24@sunfire.comp.nus.edu.sg (try sunfire-r.comp.nus.edu.sg if you are outside NUS network)
  2. type yes
  3. key in password

17.7.11

What do NUFC players do while waiting at the airport?




















Mario Kart on DS!!! Man this image is hilarious lol! Thanks to Danny Simpson for this, showed us another side of NUFC.

From https://twitter.com/#!/dannysimpson12

15.7.11

How to connect to DNS-323 on Mac

 




 
Go to Finder -> Go -> Connect to server -> smb://ipnumber
In my case its smb://dlink-96d426

16.6.11

欣宜-無人完美



Awesome Ending Song from 畢打自己人



無人完美 (畢打自己人電視劇片尾曲) by 鄭欣宜
無人完美 無人如己 何妨容納雙方對比
*無人完美 原來距離 會叫你悟到這真理
你若有你的道理 沒絕對勝利 如能共處叫心裡歡喜
無人如你 然而除非 你看到另一位自己
無人完美 原來距離 會叫你悟到這真理
試問我也不是你 若要去相比
唯獨是要看清楚一點 這個你
誰在你眼裡看到 會察覺那未曾望得到
同樣我眼裡看到你 哪會有著同樣角度
如若你試看我眼裡看到你 便明白我的一套 其實很好
無人如你 然而除非 你看到另一位自己
REPEAT*

4.6.11

Tim Krul got clean sheet in Brazil Holland friendly




This is the highlight of the 4 June 2011 friendly, Brazil vs Holland. It ended in a goalless draw.

I am still not too sure about Tim Krul. There is certainly potential, but he is certainly very lucky to keep a clean sheet. Holland was carved apart by Brazil several times, and was unfortunately not to score. Most of the save was 'lucky I'm in the right place at the right time'. But of course, the brilliant 1 on 1 save vs Neymar and a diving save from the same guy was a highlight.

If Newcastle is deciding on next season's No. 1, Tim Krul will certainly have the advantage now. Not only did he played half of the EPL last season, now he has kept a clean sheet against Brazil. No doubt Alan Pardew will notice this.

5.5.11

applanet, the best Android Market app!!

 
 Why is this the best? Simply because everything inside is FREE!! (if you know what I mean *wink*)

25.4.11

Hot games coming soon in 2011



Which are the highly anticipated games of 2011? When is their release date? Click here to find out more!

Read More

19.4.11

SWTOR Rumors and News




Can't wait for Star Wars The Old Republic (SWTOR) but feeling frustrated because you don't know when it will come out, and the official news are slow? Here are some sites to keep you company with the latest news and rumors from SWTOR, until the game finally releases.


http://darthhater.com/
http://torwars.com/

17.4.11

Sopcast on Mac



Hopefully it will work for you guys.


A certain MMO big hit














Star Wars: The Old Republic is definitely going to be a big big hit when it releases. With an unknown release date, I can't even get into its official website due to high traffic. We don't even know when the game is coming out!!

SWTOR

13.4.11

Can your com play this game?

Can you run it?
No need to read the minimum requirement and scratch your head! Know the answer automatically via this website. It will only use Java to determine if your rig can run the software. Very clean and efficient. Highly recommended!

11.4.11

Find out your largest file in Window 7

treesize-free 

Puzzled that the amount of available space in your Window is getting smaller and smaller? Use this lightweight software called TreeSize to analyses how your data are organized in your hardisk. You might be surprise.... and hopefully delete some junks to free some spaces!  

10.4.11

9.4.11

EPL 2011/2011 Rumored New Jersey

Sunderland Umbro 2011/12 Home Football Kit / Soccer Jersey / ShirtIs your favorite English Premier League team going to change their jersey in the next season 11/12? Apart from Sunderland (left), who has already confirmed the change next season, there are several leaked pictures of new jersey for several EPL clubs. 

7.4.11

How to get IDM to work with FIrefo 4?









IDM stopped working after upgrading to Firefox 4?


Download this, and everything will be back to normal!

5.4.11

Pokemon Tower 1.8 released!!



This is probably the most awesome Pokemon game for Android! And it is free! The game is constantly updating, and every update contains lots of new content as well as storyline.

Definitely a must-have for all Android users!

Download Link: http://adf.ly/15atW

Go to the official website for more details.

29.3.11

Insightful Alan Pardew interview from BBC















Thanks alot for NUFCfans to compile this on twitter. You can also subscribe to their facebook page here.

You can also listen to the whole interview here @ BBC.

Pardew on Routledge > "I felt we was going to get a replacement. In hindsight, I'd like to have him

Pardew on N.Ranger > "Nile can be frustrating in training. He's unpredictable and can make an impact. He's got a lot to learn."

Pardew on MA > "There is no point in him paying me and my scouts to fly around the world if he isn't going to pay for players."

Pardew on MA > "He's a straight talker and feels like he's been outmaneuvered by the football trade. His SD factory is amazing"

Pardew on MA > "If I was a fan here, would I be jumping up and down about Mike Ashley? Probably not."

Pardew admits he got it "wrong" against Stoke. "Hopefully I won't get it much wrong from now until end of the season."

Pardew on Garham Carr > "I've been working with him to target right kind of players." Also says scouting missions are underway.

Pardew on Leon Best > "He has a character where he wants to prove people wrong and I like that. So does Joey and Kevin."

Pardew on Enrique and Barton > "They've got one year left. We've got negotiations with both once we're safe."

Pardew on Ben Arfa > "Hatem will be back on Monday morning. Hopefully we'll see him in a #NUFC shirt before the end of the season."

Pardew on S.Ireland > "He's a top player. The sort of player who we can re-charge and re-develop here."

Pardew on new players > "Me, John and Graham have targets. The pool of players - young, of value and in our wage bracket isn't big."

So far > Pardew says owner wants to build the club and accepts there needs to be more communication with fans. Home form a concern.

27.3.11

Grief in NTU?

From and thirdly blog

5 stages of grief (NTU)

Had the opportunity to meet a classmate from polytechnic the other day who is now studying in the same university as I am. Judging from his Facebook status messages along with others from my other ex classmates has me seeing that they are going through what I went through when I first started school.
Interestingly, Kübler-Ross’ model for 5 stages of grief seems to apply greatly here.

Denial

You always enter a university with preconceived notions about what its supposed to be. There is nothing wrong with that, because we’re all subject to marketing.
However, to not even your basic impression of a university just doesn’t cut it.
So you spend the beginning few days of school and prior during orientation hoping that whatever that is happening is just temporary and not the truth.
That maybe the lecturers would get better. That the tutorials would be more interesting. That labs would be more open to alternative implementations.

Anger

So you get pissed when all that doesn’t happen and wake up to the reality that what you’re facing is gonna be for the next 4 years of your miserable life.
You start to lash out at any perceivable cause of your anger. Be it administration, the huge influx of foreign students and any general incompetencies of your educators.
You stereotype, hold bias and all that stuff.

Bargaining

Anger only lasts that much. No point being pissy all the time and affecting the moods of your close friends. So you try to rationalize that maybe you are having unrealistic expectations.
You try to recalibrate your expectations of things and try to make sense of why things are the way it is and try to make do with what you got.

Depression

However, bargaining only works if there is a reciprocation. So eventually, after having everything taken away from you, you fall into depression. Seeing no point in attending lectures, or trying hard enough.
You decide you need a break, you take an industrial attachment, you try for exchange, whatever it is to get out of this godforsaken place.

Acceptance

Finally after gaining some perspective and having progressed through half your life at the university, you come to the unexpected conclusion that this is what it is.
You begin to do better. You adapt to the idiosyncrasies of the way thing are and you deal. You figure out the loopholes and everything that makes it tick.
You find motivation in the things that make you happy, creating your own happiness within the system.

24.3.11

Epic Pic

Color, an app for iPhone and Android


This seems to be an interesting app. For first, it occupies a glorious domain, www.color.com
It will surely give alot of social voyeur and exhibitionist a field day with this app.

It is available on the iPhone now, and later on Android. and on Android too.

With 41 million dollars backing, it is surely an ambitious app. It is certainly a very interesting app, but I wonder will people really use it? Good thing the app is free in the first place!


 This is a description of the app on iTune appstore.

WARNING: DON'T USE COLOR ALONE.

Use Color to take photos and videos with other people who have iPhones within 150 ft to create a group album.

For parties, play dates, lunch? You get their photos, they get yours. Share any album with Twitter and Facebook.


Color is a social network for your iPhone.

From Cnet and ibtimes


22.3.11

VLC for Android coming soon


The beta version of VLC for Android is coming out in 1-2 months.

This is exciting news, since VLC is arguably the best video player. Of course, hopefully the Android version will be comparable to the one in your computer. This will be great news for all anime fans who can't see the subtitle!!

From Android Guys

21.3.11

Soccer Bets

Singapore vs Yemen Win
QPR vs Doncaster Lose
Bolton Win
Man Utd handicap win 10.75

15.3.11

Chan Bros Cancel Tours to Japan

 
Travel agency Chan Brothers has decided to cancel all tours to Japan in March, and is offering customers the option of a refund or postponement of their trips.

Customers may also opt to switch to another package, but all these are subject to additional payable costs.

Other agencies like Nam Ho Travel and CTC Travel said some customers have decided to postpone their holiday, while others have decided to go ahead.

- CNA/al



http://www.channelnewsasia.com/stories/singaporelocalnews/view/1116420/1/.html

8.3.11

Cowon App Market



Non-Official, 100% Fan-made.

Find and share UCI/games/wallpapers for Cowon D2, S9 and J3.

Great clean web design, although there is certainly room for improvements. This is certainly a start. A great website for all Cowon fans.

http://kizune.bplaced.net/


via http://iaudiophile.net/forums/showthread.php?t=38769

5.3.11

Utagoe Rip

Image Hosted by ImageShack.us 

Bascially, put in Song + Song (Instrumental) = Vocal!!


http://www.mediafire.com/?jmy6g88eb736503


Image and more information @ http://community.livejournal.com/arashi_on/1291902.html

What I am doing now:
Goldwave (convert to WAV)
Utagoe Rip (extract vocal)
Voice Trap on Audacity (plugin in Audacity, settings: isolation:1)

4.3.11

Winnie the Pooh 2011 Movie Trailer



Have to say this is an awesome trailer. I think the background music by Keane's 'Somewhere only you know' is very fitting, giving a nostalgic flavor to it.


24.2.11

Tokyo Compilation

Draft

  • Roppongi Hills and go up to the top of Mori Tower for the Mori Art Museum and the panoramic view of Tokyo.

    I also don't advise Tokyo tower. It's a ripoff!
  • Tsukiji Fish Market is a must-see and make sure you have sushi there (cheap - like $1/piece - and deliciously fresh!).The Tsukiji Fish Market. Go early (like has been said) and head right to the back of the market to see the tuna auction. Then walk your way out past all the stalls and see the wierd stuff for sale. Grab some sushi for a late breakfast at one of the nearby places....freshest you'll ever get.
  • Another must-do is exploring a Japanese department store (like Matsuzakaya in Ginza or Takashimaya in Shinjuku). They're huge and they sell everything. There're lots of cheap places to eat in these department stores, and in and around the major train stations. In addition, don't miss shabu-shabu/sukiyaki (cook-it-yourself thin slices of meat), tempura (set lunches are great value and variety) and teppanyaki (benihana-style, although prices are high especially if you splurge on kobe beef).

    In terms of department stores, I think the one to visit (not necessarily to buy) are the ones in Ginza. They are amazing, make sure you check out the food stores in the department stores. They are really wonderful. Things like fugu sashimi and the ever popular $60 each individually wrapped honeydew melons.
    Ginza. Just look around, particularly at night.
  • Definitely avoid riding the subway/trains during rush hour. It is hard to imagine how uncomfortably packed they can get but just take our word for it!



  • Tokyu hands in the Takeshimaya Times Square is great. They also sell some wonderful book bags/backpacks there at very competative prices. Including some super fashionable Japanese brands like Porter (the Japanese Prada).My very favorite store in Japan is Tokyu Hands. My son and husband love it too. It's filled with so much cool stuff - the little Japanese woodworking tools, robotics kits (much cheaper there than in the US), cool cooking things such as edible 24 kt-gold stars to put on desserts and in drinks. The office supplies department is one of the best. I can easily spend hours there.Tokyu Hands is the best
    In the same neighborhood lots of record stores and the Tokyo Harley Davidson store. Very Expensive T's $55.
    Find a great Korean BBQ.
    Find a great noodle shop in Akasaka.
  • Akihabara is almost mind boggling with the stuff available.Akihabara. Get off the subway at the Akihabara station and follow the signs to "Electric Town" An area full of the latest electronics and parts. A must see..like something out of Blade Runner.







Shinjuku Station.

A sushi conveyor belt bar.

Ueno Park is nice.

Sometimes there are flea markets around the shrines since the Japanese are supposed to pay off their debts at ceratin times....can find some great buys if you look.

try to have shabu shabu if you can. Its boiled beef with vegetables.

Avoid hostess bars. Prices are high, and the hostesses just talk to you.

Don't be intimidated by the food. Try anything once, you don't have to have it again if you don't like it.

Get maps of where you want to go. Tokyo's address system is based on when buildings were built, not where they are. A cab driver may not know how to get to an address without a map.

18.2.11

Macbook Pro Sandy Bridge refresh coming soon?



Rumors have been flying around about the imminent MacBook Pro refresh with the new Intel's Sandy Bridge processor.

Read More

My first taste of Google's AppInventor!














Hopes to do an Android app showing translated Oricon Chart, maybe similar to jpopasia.com!

The above is a HelloPurr app.

Need to read more tutorials @ http://appinventor.googlelabs.com/learn/tutorials/index.html.

Wonder if iPhone have similar applications such as AppInventor? If not how do small kids 'program' apps for iPhone haha?
Related Posts Plugin for WordPress, Blogger...