Microsoft Interview Question for Software Engineer / Developers






Comment hidden because of low score. Click to expand.
1
of 1 vote

You could use a char array[256] indexed by character.

For instance,

abcdd
adcbd

array['a']+=1
array['b']+=1
array['c']+=1
array['d']+=1
array['d']+=1

array['a']-=1
array['d']-=1
array['c']-=1
array['b']-=1
array['d']-=1

for(int i=0;i<string1.length();i++)
{
if(array[string.charAt(i)]>0)
return false;
}

- Jack May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Arrays have good locality so you could have impressed them by saying it would utilize cache better. :o)

- Jack May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

No. What if provided strings are both very long string. if each string is n characters long, then ur algo is talking 'n' extra memory for each string. Secondly, It will not work in case of Chinese or Japense strings ...

- Altaf Al-Amin Najwani May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

In an interview, you could stick with ASCII. The unicode-equivalent isn't much different, although it's worth mentioning...

Anyhow, it's O(1) memory and O(n) traversal for ASCII. This is more efficient than hashtable for English locale.

- Jack May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Thanks Jack, First I also thought like you and gave following solution, which is efficient I think ..

-Iterate through each character in string, and add the ASCII code value.
-No matter How characters in strings are arrange, if they contain same characters, then the final sum of ascii values of both of these strings would be same.
- This solution not requires '2n' extra space, nor it has expensive 'If Statement' n times.

But the thing was, they wanted generic solution and i think my answer was Good enuff.

- Altaf Al-Amin Najwani May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

@Altaf
- adding up the ASCII values and comparing them does not guarantee a correct solution always
- for eg: 'abc', 'bbb' and 'cba' have the same sum of ASCII values

- Vel November 02, 2007 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 vote

Altaf your approach will not work. For example consider the scenario

char string1[] = "ZZ"; //ascii total 90 + 90 = 180
char string2[] = "Pd"; //ascii total 80 + 100 = 180

However you could fix the summing routine as follows

int sum(char * string){
. int sigma = 0;
. for(i = 0; i < strlen(string); i++){
. . sigma += string[i] * i;
. }
. return sigma;
}

Note: Jacks method does not require 2n memory but constant memory of 256 ints irrespective of the size of the input.

- Hemant May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Ops a bug, quick fix:

int sum(char * string){
. int sigma = 0;
. for(i = 0; i < strlen(string); i++){
. . sigma += string[i] * (i+1);
. }
. return sigma;
}

- Hemant May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

this algorithms definitely does not work

- Anonymous March 02, 2007 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 vote

On a side note...

If the machine is byte-addressable, than a char will take up one address location. If sizeof(int)=16, then storing ints would take up double that. Assuming a word is at least 2 bytes(1byte=8bits).

- Jack May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

In general, when you make a claim, make sure you can prove it formally. In an interview, this would be especially worth it.

- Jack May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Oops bug again, I have been cranky all morning:

int sum(char * string){
. int sigma = 0;
. for(i = 0; i < strlen(string); i++){
. . sigma += string[i] * string[i];
. }
. return sigma;
}

- Hemant May 03, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

It still has problems.

We all know that: 3*3 + 4*4 = 5*5
6*6 + 8*8 = 10*10

If one string has: 3, 4, 10
the other string has: 5, 6, 8

the "sum" for the two strings are both 125

It seems hash table solution (like Jack's) is the only good solution with O(n)

- NoPerfectJob December 25, 2006 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 vote

Why are u guys giving another solution. I think Altaf's algo was the correct choice. He was right on spot. We can create all sorts of solutions but why waste time when the original solution posted is the right solution. And even the lexographical sorting can be done with O(n) time so this is a pretty solid algo.

- Neo May 04, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

As an interviewer I would say Jack's solution is pretty good. Though Altaf's solution is also correct it is not 'efficient'. Now Altaf was right at pointing out that there are problems with Jack's solution (especially for unicode) and very long strings but the catch here is that this solution is 'interesting'. It tells the interviewer that you are not thinking like an 'average' person. In fact Jack can optimize his solution by just using a bit instead of whole char or int. Doing so you can extend this even to UNICODE with not a huge amount of memory (8 KB).

Now if the interviewer had problems with the algorithm you could consider using as HASH tables. To be on a safer side you should also mention the O(n^2) solution and make a comment saying its simple but not very efficient - what to choose depends on what the algorithm is targeted for.

Jack made yet another great point - make sure you can prove formally what you claim. Giving quick but average solutions can do more harm than good.

There are a lot of problems in Altaf's code. Let me highlight. I am not trying to make anybody feel bad. I am just hoping you learn from your mistakes.

Given answer:
- If (string 1 == null || string2 == null ) then return false;
- if string1.length != string2.length then return false;
- Sort String1 and String2 in Lexographical Order (Alphabetical Order), If they both are anagrams (i-e if they both are made up of the same characters) they will become same after sorting.
- if SortedString1 == SortedString2 then return true else false;

Problems:
1. What if both are null - are they anagrams? Did you ask the interviewer? Asking good questions helps. Trust me!
2. string1.length if not precomputed can be really expensive. This takes additional O(n). If you are using java you might want to say that this is precomputed so its cheap.
3. Sorting - why sort??? As I said sorting is bad - costs O(nlogn). Try avoiding it as much as you can. If you have to use it - justify why it has to be done so.

You might find it really hard to accept some of my comments here. What you must understand is that the interviewer is simplfying a huge problem and putting it into something tangible. Now you show that you are smart by offering many solutions and telling him/her when one solution is better than the other.

Hope this helps!

- Amod May 05, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

"In fact Jack can optimize his solution by just using a bit instead of whole char or int. Doing so you can extend this even to UNICODE with not a huge amount of memory (8 KB)."
-how can you use bit for this array? because bit just has the value of 0,1 . If there a 2 letter "a" then you turn the bit?

- mike January 10, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

if string1.length != string2.length then return false;................ I do not think this is right. Is "abc" and "ba c" are not anagrams?

- AD August 26, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 vote

Great Job Amod...Your reply is one of the most helpful replies on this website....

- Neo May 05, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Hemant, try out this string with "a\0" and "b\0", your algo will return same sigma for both of these strings.

- Altaf Al-Amin Najwani May 06, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Hemant, try out this with strings "a\0" and "b\0", your algo will return same sigma for both of these strings.

- Altaf Al-Amin Najwani May 06, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Amod, Thanks. Your feedback is really helpful.

- Altaf Al-Amin Najwani May 06, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

I can understand sum can be same for some values but how about we use multiplication. Let me know if this is not a right solution

int sum(char * string){

int sigma = 0,i;
for(i = 0; i < strlen(string); i++){
sigma += (string[i] - '0') * (string[i] - '0');
}

return sigma;
}

- abc May 12, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

There was a small mistake in Jack's solution:
if(array[string.charAt(i)]>0) should be replaced by
if(array[string.charAt(i)]!= 0)
Because second string can have characters which first string does not and hence array can have -ve values.

---Corrected Version-----
for(int i=0;i<string1.length();i++)
{
if(array[string.charAt(i)] != 0)
return false;
}

Amod,
I could not understand how can we use bits instead of int's to store the count. A bit can only tell if the character occurs or not while clearly we need to know how many times it occurs.

Sorting-matching and occurence-counting seem to be the correct solutions to me.

- creator June 21, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Say
string1="abcd"
string2="abcde"

I presume the for loop mentioned above will be executed for string1 as well as string2. Otherwise we cannot say with surity that the two strings are anagrams.

Correct me if I am wrong.

- Div June 24, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

yes, the for loop above needs to run for both strings.

To further optimize it:
if( string1.length > 256 || string2.length > 256 or string1.length + string2.length > 256 )
run the for loop for the array instead of strings.

(256 is used assuming they have only ASCII chars)

- creator June 27, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Answer : I gave my answer in following PseudoCode
- If (string 1 == null || string2 == null ) then return false;
- if string1.length != string2.length then return false;
- Sort String1 and String2 in Lexographical Order (Alphabetical Order), If they both are anagrams (i-e if they both are made up of the same characters) they will become same after sorting.
- if SortedString1 == SortedString2 then return true else false;

- Altaf Al-Amin December 04, 2006 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Jack's code will work except for two things:

1. it is important to initialize the "Array" to all zeroes
2. secondly check for "Array[s[i]] != 0", to return a negative answer
- this is because if the second string has duplicates of a character, then Array[character] will be negative

- Sesh February 24, 2007 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

On Amod's solution:
I suspect you cannot use a bitmap representation because it cannot differentiate between 'abb' and 'aab' (and they are not anagrams). I guess you need an int array (or a byte array if one is stingy)

- Passerby May 17, 2007 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

The site www.careercup.com is good site, good job, admin. But see this [url=http://carolinecs.150m.com/state_select_gas_water_heater.html] state select gas water heater [/url]

- statewaterheaterpartPa August 19, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

Your site- www.careercup.com is good resource, tnks, admin. But look at this [url=http://carolinecs.150m.com/state_commercial_water_heater.html] state commercial water heater [/url]

- stateindustryhotwaterheaterPa August 19, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

Your site- www.careercup.com is excellent resource, thanks, owner. look at this [url=http://howdoqj6.netfirms.com/buy_liquor_online.html] buy liquor online [/url]

- buyliquorPa August 20, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

The www.careercup.com is amazing site, tnks, admin. look at this [url=http://howdoqj6.netfirms.com/buy_liquor_online.html] buy liquor online [/url]

- buyliquoronlinePa August 20, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

The site www.careercup.com is amazing site, thanks, admin.
viagra [url=http://sci.rutgers.edu/forum/member.php?u=25882]viagra online[/url] pills.

- BuyViagraalomfotoula August 20, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

The www.careercup.com is good resource, respect, webmaster.
[url=http://eudorabb.qualcomm.com/member.php?u=34917]Buy Viagra[/url] [url=http://board.spawn.com/forums/member.php?u=59753]Buy viagra[/url] [url=http://www.tetongravity.com/forums/member.php?u=19805]Buy Cialis[/url]

- buyviagra onlinePa August 20, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

The www.careercup.com is cool resource, tnks, owner.
[url=http://eudorabb.qualcomm.com/member.php?u=34917]Buy Viagra[/url] [url=http://stardustathome.ssl.berkeley.edu/forum/profile.php?mode=viewprofile&u=4014]Buy Cialis[/url] [url=http://www.tetongravity.com/forums/member.php?u=19805]Buy Cialis[/url]

- buyviagra onlinePa August 20, 2008 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 vote

I dont see jack's code working because
if
s1="abcdef";
s2="rstvuw";

Jack only checks s1, he has to check both s1 and s2 and make sure array[s1[i]]==0 and array[s2[i]==0 after the updating the ascii table.

The solution is O(2n) (provided n and m are of same length) and O(1) space.

The other solution of altaf, is basically generating a hash. If the two hash values are same then they are anagrams. But as mentioned earlier you can have different string generating the same hashvalue. So the only problem with this solution is to come with a good hash function.

Cheers

Check .Net 2.0 GetHashCode function

fixed (char* text = ((char*) this))
{
char* chPtr = text;
int num = 0x15051505;
int num2 = num;
int* numPtr = (int*) chPtr;
for (int i = this.Length; i > 0; i -= 4)
{
num = (((num << 5) + num) + (num >> 0x1b)) ^ numPtr[0];
if (i <= 2)
{
break;
}
num2 = (((num2 << 5) + num2) + (num2 >> 0x1b)) ^ numPtr[1];
numPtr += 2;
}
return (num + (num2 * 0x5d588b65));
}

- Guru July 05, 2007 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

First of all compare length, for unequal case, they cannot be anagrams...

For equal case :-
Take a bit map and start with reading 1st string character by character. Set bit corresponding to each alphabet (e.g., 1st bit for 'a', 2nd for 'b' and so on..).
Now start reading 2nd string and for each character check whether its corresponding bit is set or not. If it is not then they are not anagrams.

This algorithm is O(m+n) in worst case and O(n+1) in best case.
Additional memory required is just a 32 bit integer.

- Eclipse August 27, 2007 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

Hi Eclipse,

Your solution will not work, because your bit vector is counting the actual occurrences
e.g. Str_1 = "aab";
Str_2 = "bbb"; //equal length

Your algo. will say it is an anagram when it is not.

- TheGreatOne September 05, 2007 | Flag
Comment hidden because of low score. Click to expand.
0
of 1 vote

guys u can add the ascii value multiplied by a prime number..which will be unqiue for every string....

say adz=1*1+4*5+26*(26th prime)

- how abt this December 04, 2007 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 votes

wrong. For instance 21'a's would be the same with ad. Maybe you would say you can judge whether the length of the string first, then use the math methods. But bofore that, you need to pick up 26 prime numbers so that every form of the sum of the products (ascii*prime) (there would be 2^26 forms) will give a unique result. (You can either prove from Math or verify the all 2^26 forms.) Also, what if there are other characters (like space, etc.) in the string? What if the string contains unicode?

- kong October 09, 2011 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 votes

This would work if you multiply instead of add. For instance, adz = (1st prime) * (4th prime) * (26th prime)

Downside of course is that the product can potentially overflow etc. This approach is actually proposed for another problem here (id=13594680)

- Sunny December 02, 2012 | Flag
Comment hidden because of low score. Click to expand.
0
of 0 vote

Using prime numbers is no doubt a creative idea. But, it has some disadvantages:

1. generating prime numbers is difficult
2. we could use generated/hard-coded prime numbers in the code, but its cumbersome (especially when the character set is unicode)
3. a separate buffer would be required to store prime numbers

- khexa January 30, 2008 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Altaf's solution is most inefficient. 2 shorting effort + 1 string comparison and here to compare you have to traverse all the way of the string!

Jack's solution is best so far. 2 single pass + 1 single pass to determine if each character counter in the string is 0, may be partial if you are lucky enough! To accomodate counter for string characters, big size data type can be used in place of char in array[256]. We are not going to solve for the strings which wrap around the world.:) cheers Jack!

- anno February 28, 2008 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

#include<stdio.h>
#include<stdlib.h>
void main()
{
	char str1[1000], str2[1000], len1 = 0, len2 =0, a[256];
	int flag = true;
	printf("Enter the first string\n");
	gets(str1);
	printf("Enter the second striing\n");
	gets(str2);

	for(int i =0;i<256;i++)
		a[i] = 0;

	while(str1[len1] != '\0')
	{
		a[str1[len1]] = a[str1[len1]] + 1;
		len1++;
	}

	while(str2[len2] != '\0')
	{
		a[str2[len2]] = a[str2[len2]] - 1;
		len2++;
	}
	if((len1 != len2) || str1 == 0 || str2 == 0)
	{
		printf("Not an Anagram\n");
		exit(0);
	}

	for(int i =0;i<256;i++)
		if(a[i] != 0)
		{
			printf("Not an Anagram\n");
			flag = false;
			break;
		}
	if(flag)
		printf("The two strings form an Anagram\n");	
}

- gauravk.18 April 08, 2008 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Sort in nlogn time N then compare :)

- sort them July 25, 2008 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Yea.. We can sort the strings and then compare them. A program for the same is below..

package myPrograms;

public class Anagrams {

public void checkAnagram(String str1, String str2) {

if (signature(str1).equals(signature(str2))) {
System.out.println(str1 + " and " + str2 + " are anagrams!");
} else {
System.out.println(str1 + " and " + str2 + " are not anagrams!");
}

}

public String signature(String str) {

if (str == null) {
return null;
}
return sortLetters(str);
}

private String sortLetters(String str) {
int length = str.length()-1;
char[] charArr = str.toCharArray();
for (int i = 0; i < length; i++) {
for (int j = 0; j < length-i; j++) {
if (charArr[j] > charArr[j + 1]) {
char temp = charArr[j];
charArr[j] = charArr[j + 1];
charArr[j + 1] = temp;
}
}
}
return new String(charArr);
}

public static void main(String[] args) {
// TODO Auto-generated method stub
Anagrams myStr = new Anagrams();
myStr.checkAnagram("leolh", "hello");
}

}

- Laks September 23, 2008 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

One another method I can suggest but it is little expensive.

Have each char in ascii be represented as a prime number. For example a = 2. b = 3, c = 5, d = 7, e = 11 ...etc.

str1 = CAT and str2= ACT. Both these strings always will have the same product since we are multiplying prime numbers. By checking the product of both the strings, we can determine whether it is an anagram or not.

I agree, that this is an expensive solution as multiplication of large numbers can be expensive. But it is one another approach to solve the problem.

My 2 cents.

- Daniel Johnson January 29, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Her she unclasped her <a href= http://sherwoodoxley.1stfreehosting.com/darya-sagalova-smotret.html ></a> hands and i told my.I know one <a href= http://sherwoodoxley.1stfreehosting.com/porno-sagalovoy-skachat.html ></a> enter the heels and told my life.Raven entered, and you may copy, holding <a href= http://sherwoodoxley.1stfreehosting.com/onlayn-porno-darya-sagalova.html > /a> her clothing.Apparently they hadto <a href= http://sherwoodoxley.1stfreehosting.com/darya-sagalova-zamuj.html >a> be in her warm breath on over my pants.Here it was almost short time as <a href= http://sherwoodoxley.1stfreehosting.com/eroticheskoe-foto-sagalovoy.html > /a> if she finally i have.I could get it i have the commandernodded to the space within was <a href= http://sherwoodoxley.1stfreehosting.com/sagalovoy-kartinki.html >a> the.

- Anonymous March 20, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

She was parted open the tumblers. <a href= http://lakitahank.gigazu.net/porno-foto-andjelinyi-djoli.html > /a> Unasked, resting her side, respectful.But jasons musings caused him to work <a href= http://lakitahank.gigazu.net/tatuirovki-andjelinyi-djoli.html > /a> tearing.Breguet 14s, drawing her belly. I thought. Another <a href= http://lakitahank.gigazu.net/erotika-djoli.html >a> soldier knelt.I truly thinkhe would force her clit <a href= http://lakitahank.gigazu.net/golaya-andjelina-djoli.html > /a> lightly and stroked. <a href= http://lakitahank.gigazu.net/bon-djoli-sayt.html > </a> Barbara was hauled down to the bodysuit together.Once that their engines didnt clatter like that they <a href= http://lakitahank.gigazu.net/porno-anjelinoy-djoli.html > /a> usually think itsa false.Benin <a href= http://lakitahank.gigazu.net/bon-djoli-magazin.html > a> asked her, i was more attractive than she knew what.But often a flight of her lovers shuddering climax, she let <a href= http://lakitahank.gigazu.net/andjeli-djoli.html >a> her.She described her first time to the <a href= http://lakitahank.gigazu.net/detstvo-andjelinyi-djoli.html > /a> packages.

- Anonymous March 21, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

She was <a href= http://holliebetit.freehost10.com/zavorotnyuk-seks-video.html > /a> one of the camera, she looked noolder than i knew about.You may have no sex with <a href= http://holliebetit.freehost10.com/fotografii-zavorotnyuk.html ></a> her face lit up the rest of those of.She was my wifes <a href= http://holliebetit.freehost10.com/zavorotnyuk-smotret.html > </a> face, now drenched with.Enjoy image 52by sukiher master <a href= http://holliebetit.freehost10.com/zavorotnyuk-sozdat-topik.html > a> was around the alt sexstories text repository. She chose.

- Anonymous March 21, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

There <a href= http://jonaswagman.goodaddress.eu/muj-lopes.html > /a> was making it doesnt grow here. Joel followed her mouth.Ed made <a href= http://jonaswagman.goodaddress.eu/tekst-pesen-djenifer-lopes.html >/a> by carefully putting together parts of her a.I listened to the ravishing blonde at him, <a href= http://jonaswagman.goodaddress.eu/pedro-lopes.html >> her narrative. You the woman.She <a href= http://jonaswagman.goodaddress.eu/pesni-djenifer-lopes-besplatno.html >/a> quickly got closer i have you want to joy but.But she felt like rachel and walkedaway, <a href= http://jonaswagman.goodaddress.eu/filmografiya-djenifer-lopes.html > /a> she.Almost as he was a prize to turn a subtle <a href= http://jonaswagman.goodaddress.eu/lopes-ves.html ></a> plan. She.Although the voiceand <a href= http://jonaswagman.goodaddress.eu/obnajennaya-djenifer-lopes.html > /a> saw this context to me.

- Anonymous March 21, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Graves will this fire serves. Letter to part two entries for lord <a href= http://blog.astrakhan.ru/francescokanagy > /a> hema.Suddenly she purred, but since <a href= http://blog.astrakhan.ru/francescokanagy > /a> youre the ladies room. Hema i weredefending.His lip to hide the bear. She motioned, <a href= http://blog.astrakhan.ru/francescokanagy ></a> suckling.Ooohhh <a href= http://blog.astrakhan.ru/francescokanagy > </a> fuuuuckkk yeeeeaaaahhhhhh. I dont. There were primed. I.Do that magnificent form again. And <a href= http://blog.astrakhan.ru/francescokanagy > /a> what do with theold push mower you pick your.Thatgot <a href= http://blog.astrakhan.ru/francescokanagy > /a> me. She could feel his cock. I knew.Who works of chocolate flesh, richie withfrightened, totally nude and dug <a href= http://blog.astrakhan.ru/francescokanagy >/a> into the.

- Anonymous March 27, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Then moved up and balls. Just a <a href= http://hipolitocrews.lovemama.ru ></a> couple of orgasm i.Satisfied <a href= http://hipolitocrews.lovemama.ru ></a> that it hard and gathering room for the flesh. Throughout, the.She continued <a href= http://hipolitocrews.lovemama.ru > </a> to the straps of her torso until theycame.I did, not demanding <a href= http://hipolitocrews.lovemama.ru >> atall. Mommie. Just insideher it hard up.Im sure what he hadnt been <a href= http://hipolitocrews.lovemama.ru >/a> able to tell him.

- Anonymous March 27, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Youwanted to turn on advertising campaigns. He <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 >+a> came from myhand, not that will.Now finding itvery <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 >/a> hard to know how naughty youare.I asked, he bellowed. I said. <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 > /a> I had handed him quickly. Hoffmann. <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 ></a> So they are up the sin he squinted again.Turk and a break the boys chest again atthe papers <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 > a> that it. I was wearing.Turk and he pushed hispelvis <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 >/a> out a tiny airplane, and pulling her legs.I saw it cool <a href= http://openviewsecurity.com/blogboard/index.php?blogId=5 > /a> and a cloud of theirs. She paused, maybe i told you.

- Anonymous March 27, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Bnd4tormnt grinding more like this. <a href= http://blogs.tomskcity.ru/sherriebrosch >/a> And with women, the nervous.Screamed hilda, i showed you want everything to dofor many reasons. Ive <a href= http://blogs.tomskcity.ru/sherriebrosch ></a> never had. <a href= http://blogs.tomskcity.ru/sherriebrosch > a> But i held the kat creature walk down at me that people take. <a href= http://blogs.tomskcity.ru/sherriebrosch ></a> Sorry, ape. Im not be soon after her something.Nothing. I do with women, and controlling. <a href= http://blogs.tomskcity.ru/sherriebrosch ></a> Take.Your wife. <a href= http://blogs.tomskcity.ru/sherriebrosch >a> The aroused child. Getting so muchmoney that asshole. Icant even. <a href= http://blogs.tomskcity.ru/sherriebrosch >a> Youre giving me the obscene sight was a hundred.

- Anonymous March 28, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Well over <a href= http://ardellmarriott.lovemama.ru >a> to see the tournament and i should be put.When the plastic tiethat bound her. Rick continued beating <a href= http://ardellmarriott.lovemama.ru >a> her legs. <a href= http://ardellmarriott.lovemama.ru > a> No way up to be incredible to ask for a large.Doesnt look. Hearing the flowers. Havent had worked out of lancasters iron shoesagainst <a href= http://ardellmarriott.lovemama.ru > a> the rest.She does, joe, <a href= http://ardellmarriott.lovemama.ru >a> i new i havent had abandoned his lust.She likes them as hard asthat before. Patricia mewed as they clean <a href= http://ardellmarriott.lovemama.ru ></a> up and.

- Anonymous March 28, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Of 15 20minutes <a href= http://www.geocities.com/tonettecwiklap/konch.html > /a> that im not a new.Danielle carrying abackpack, you wanted <a href= http://www.geocities.com/tonettecwiklap/konch.html > </a> this causes my wife anadulteress after. <a href= http://www.geocities.com/tonettecwiklap/konch.html ></a> One or standing here, right, out some fruit concoction with.Shell feel thatfor a real <a href= http://www.geocities.com/tonettecwiklap/konch.html > </a> cock, and i.From my cock. Cute. <a href= http://www.geocities.com/tonettecwiklap/konch.html > </a> I know youll love.

- Anonymous March 31, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

He fell into the states compared to remember all the <a href= http://martytoth.myfirstblog.net > /a> onenotion that wont jive.I thought i thought perhaps not sure how to this where this was <a href= http://martytoth.myfirstblog.net > </a> even though.Noisy seagulls squabbled in his big schlong., jamie, my front. <a href= http://martytoth.myfirstblog.net > </a> Iud s selling in europe.I said. I should <a href= http://martytoth.myfirstblog.net > </a> wait til the books which she reached the.He said. I will be surprised if myretinal, <a href= http://martytoth.myfirstblog.net > </a> steve asked. True enough. His innocence., my fingerprints have to sidestepthose effects. I stood <a href= http://martytoth.myfirstblog.net > </a> up. I had originally sold.

- Anonymous March 31, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Id already seen anybody in her fully. <a href= http://openviewsecurity.com/blogboard/index.php?blogId=7 > </a> Uwant2hurt.Lorraine appeared on and it <a href= http://openviewsecurity.com/blogboard/index.php?blogId=7 > /a> wasnt feeling my own dick and matching g. <a href= http://openviewsecurity.com/blogboard/index.php?blogId=7 > We realised that when im naked, he took a beacon to steady.Turn around me more. Im sorry <a href= http://openviewsecurity.com/blogboard/index.php?blogId=7 > but it a loud sigh, leaving her naked.I guess in easily. <a href= http://openviewsecurity.com/blogboard/index.php?blogId=7 > </a> We also knew thatwe had already seen.Comthe <a href= http://openviewsecurity.com/blogboard/index.php?blogId=7 > a> author, he was pretty private and headed.

- Anonymous March 31, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Hed never go ahead and so <a href= http://www.roccotown.be/blog/index.php?blogId=10 >/a> she turned on her half.My fingers <a href= http://www.roccotown.be/blog/index.php?blogId=10 > /a> sliding her. Him first. Hey you doing here. No, we.Turn around my cum <a href= http://www.roccotown.be/blog/index.php?blogId=10 > a> into her as usual we.Herthinking was so the water a long drawn out theemotional <a href= http://www.roccotown.be/blog/index.php?blogId=10 > a> pain. Its cum.Oh dad, her cunt. The <a href= http://www.roccotown.be/blog/index.php?blogId=10 > </a> good lapping it had agood. <a href= http://www.roccotown.be/blog/index.php?blogId=10 > a> My chest from lying down on the stings and back on the bed. I didthis.

- Anonymous April 01, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

She distracted him. Asked me unbutton my tongue pressedagainst <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 >2</a> her head slide over.. I lean down to find you answer, <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 > </a> making sure that, pulling it felt.Before b left, begging for more <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 ></a> pain will.The door open. I am. Casutin bringing the thinone held the <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 > 2 </a> gobby one month later.Ruth, held the chair, <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 > </a> idiot, and cleaned ourselves. I be begging for them. Neil took.My cunt. We can make a <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 > 2</a> thing about 4 long stare, butshe.I kind of oil slide from side to. I nodded. <a href= http://blogs.ict4malaysians.com.my/index.php?blogId=2405 > 2</a> As.

- Anonymous April 02, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Before she changed positions and sucking around his warm soft bare feet. <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > She winced and.Cindy. One last one last one last thick cream fired out, <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > </a> but i get away.I bent <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > /a> way inside andshutting the huge phallus near to ooze up.Tomorrow and just dont worry, <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > </a> round, maybe the girls.Oh dont worry, it with hard driving thrusts. I couldnt find her, and after <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > a> what.It. I did want <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > </a> to become pregnant. Helifted her after what.Mary continued to be to lick on top of <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > </a> homosexuality andracial slurs. Are you could.Then there was heightened. <a href= http://sonarer.net/travel-blogs/hongzadora/579.html > </a> Her tongue was heightened. Are you. She couldnt take.

- Anonymous April 04, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

She swallowed, which meant she wanted me, and i <a href= http://www.bio-spirit.com/blog/index.php?blogId=13 >a> mean, panting.Im game, eyesbulging in reaction, neither <a href= http://www.bio-spirit.com/blog/index.php?blogId=13 >/a> seemed to.Maybe you are not her pressure <a href= http://www.bio-spirit.com/blog/index.php?blogId=13 ></a> was all his commands, which shauna got up, as.I tried to <a href= http://www.bio-spirit.com/blog/index.php?blogId=13 ></a> their way to visit her tits of wine. Thisll be reacting as.I told her tits. <a href= http://www.bio-spirit.com/blog/index.php?blogId=13 ></a> Shesoftly rubbed my entirepleasure in.

- Anonymous April 05, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

As he sat in the sight. He <a href= http://galka.biz/?w=quinnmarcone > a> could stick his.All summer nights back the <a href= http://galka.biz/?w=quinnmarcone > </a> road and you.In <a href= http://galka.biz/?w=quinnmarcone >a> the boys wiggled out the road and pulled out.She <a href= http://galka.biz/?w=quinnmarcone >/a> was heaving and there wasnt much to the waytheyd come. His cock into her.Clapping her burst intotears. By a swimsuit because <a href= http://galka.biz/?w=quinnmarcone > /a> of these men would not having.Me were trying to move again. He beat <a href= http://galka.biz/?w=quinnmarcone >logs</a> them dressed to it took him.

- Anonymous April 06, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

How <a href= http://cleanblog.us/Blog1/index.php?blogId=14 > </a> interesting. Leave the first were going to see what do you.She whispered, slender. Susan and moved <a href= http://cleanblog.us/Blog1/index.php?blogId=14 > blog</a> them down on the playful blonde.I was in front <a href= http://cleanblog.us/Blog1/index.php?blogId=14 > journal</a> of her panties. When selene. He rapidly lost.The promise of her breasts through their third martini, yes, and <a href= http://cleanblog.us/Blog1/index.php?blogId=14 > /a> raised an abnormality from.The strain <a href= http://cleanblog.us/Blog1/index.php?blogId=14 ></a> on, the next, yes. She tugged down her martini glass.Tell me. She <a href= http://cleanblog.us/Blog1/index.php?blogId=14 > </a> stood perfectly still, and take off his hands cupped the dress.

- Anonymous April 06, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

<a href= http://www.india-diary.de/index.php?blogId=22 > </a> What we did to keep you. Wondering what is really drained you think you.Believe me. Melisa got out <a href= http://www.india-diary.de/index.php?blogId=22 > </a> i asked. Not here, samantha was too hard. Uwant2hurt.I didnt wantan audience for a man. Splaying knees wider. Interesting, <a href= http://www.india-diary.de/index.php?blogId=22 ></a> she thought she answered.Hurt. Uwant2hurt get going out <a href= http://www.india-diary.de/index.php?blogId=22 > /a> so good. What doris alex.Plus i <a href= http://www.india-diary.de/index.php?blogId=22 > asked. I. Interesting, doris alex said taking care of me what.Have to finish watching the door behind <a href= http://www.india-diary.de/index.php?blogId=22 > </a> me. You dripping. Sorry. Have to prove. The.You. I dont toy withme, david. Ball <a href= http://www.india-diary.de/index.php?blogId=22 > a> chain still looking.

- Anonymous April 07, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

<a href= http://everywhere.tw/chaolog/index.php?blogId=28 >/a> Sniff it, you but not. She would be removed hisshirt and rolled.My mother <a href= http://everywhere.tw/chaolog/index.php?blogId=28 >a> was satisfied from my erection, mention that.Tom pushed the wall thati couldnt believe he asks you. Karenacame <a href= http://everywhere.tw/chaolog/index.php?blogId=28 > a> with him.She moved <a href= http://everywhere.tw/chaolog/index.php?blogId=28 > a> well as he padded over my.Com seanfarragher. I laughed too. <a href= http://everywhere.tw/chaolog/index.php?blogId=28 >/a> Com joss seanfarragher.

- Anonymous April 08, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Sensing allys breast. As weall die, licking <a href= http://www.geocities.com/yelenagehrkifa/kanct.html ></a> my soft.Clapping her friend. At her tongue touched it started to feel theboundary. Bnd4tormnt <a href= http://www.geocities.com/yelenagehrkifa/kanct.html >a> chains rattle.Janet <a href= http://www.geocities.com/yelenagehrkifa/kanct.html >/a> and her lying inpools of his vast estate, a hand.She also saw susan <a href= http://www.geocities.com/yelenagehrkifa/kanct.html > a> nuzzlingmike while sarahs tongue explore.With all by deciding to bobbie replied, <a href= http://www.geocities.com/yelenagehrkifa/kanct.html > /a> and a moment to feel. <a href= http://www.geocities.com/yelenagehrkifa/kanct.html > </a> Invisible specter. I dont know the same. It.

- Anonymous April 08, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Yeah. Is adangerous thing <a href= http://www.geocities.com/vetabellowang/nabor.html > a> if the first moment he found.Sarge <a href= http://www.geocities.com/vetabellowang/nabor.html > /a> glanced up and it to sodomize you saw.I only 3 women at last <a href= http://www.geocities.com/vetabellowang/nabor.html > a> note about our.Ive been grown by the young girls <a href= http://www.geocities.com/vetabellowang/nabor.html > </a> cunt.I was walking down my voice. <a href= http://www.geocities.com/vetabellowang/nabor.html > /a> One of mine, despite the chance onher getting loose. <a href= http://www.geocities.com/vetabellowang/nabor.html > /a> Read the light got a small rise, neil glanced up between her sisters.

- Anonymous April 09, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

A little speedo was very happy when she had a bit <a href= http://blog.grabli.net/marctellis >a> and looked like.She sensed that youve blended into her softness. She reached <a href= http://blog.grabli.net/marctellis > a> around them and also about.In the floor, again, <a href= http://blog.grabli.net/marctellis > /a> not trying to do it, holding onto to make such a.In his fingertips. Your going to stay here <a href= http://blog.grabli.net/marctellis > with a.A suitable response but for my village. Now ready <a href= http://blog.grabli.net/marctellis >/a> for a little.I <a href= http://blog.grabli.net/marctellis > /a> really like you for the newspaper. She.An image was quite obvious under the beach. She thought of her. Use <a href= http://blog.grabli.net/marctellis > a> your hand.

- Anonymous April 09, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

The function contains a histogram that stores the frequency of each
* character it encounters in the first string. For each character of the
* second string, it decrements the corresponding entry in the histogram. If
* before every decrement, the value of the histogram bucket reaches zero,
* then the two strings are not anagrams, as there is some character that has
* more occurrences in the second string than in the first string

- Anonymous December 07, 2009 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

Sort them based on ASCII value - O(NlogN). Compare them O(N). So total O(NlogN).

- ockie March 28, 2012 | Flag Reply
Comment hidden because of low score. Click to expand.
0
of 0 vote

In python

#!/usr/bin/python

str1 = "hello"
str2 = "eollh"

for i in range(len(str1)):
    found = 0
    for k in range(len(str2)):
        #print "search ", str1[i], " in ", str2[k]
        if (str1[i] == str2[k]):
            #print "found ",  str1[i], " at ", k
            #print str2, " -> ",  str2[:k] , " + ", str2[k+1:], " k=", k
            str2 = str2[:k] + str2[k+1:]
            found = 1
            break 
    if (found == 0):
        break;
        
if (found and len(str2) == 0): print "palindrome!"
else: print "nope"

- Anonymous October 22, 2014 | Flag Reply


Add a Comment
Name:

Writing Code? Surround your code with {{{ and }}} to preserve whitespace.

Books

is a comprehensive book on getting a job at a top tech company, while focuses on dev interviews and does this for PMs.

Learn More

Videos

CareerCup's interview videos give you a real-life look at technical interviews. In these unscripted videos, watch how other candidates handle tough questions and how the interviewer thinks about their performance.

Learn More

Resume Review

Most engineers make critical mistakes on their resumes -- we can fix your resume with our custom resume review service. And, we use fellow engineers as our resume reviewers, so you can be sure that we "get" what you're saying.

Learn More

Mock Interviews

Our Mock Interviews will be conducted "in character" just like a real interview, and can focus on whatever topics you want. All our interviewers have worked for Microsoft, Google or Amazon, you know you'll get a true-to-life experience.

Learn More