Friday, May 28, 2010

Meal method to diet



<br />



In raising the basal metabolic rate



It greatly approaches the dieting success.



For the dieting success



Breakfast is especially important in meal.



Intestines work when it neatly eats breakfast and coming out of the mail improves, too.



Doing the meal that was able to take the nutritional balance also



There is a diet effect.



Though the vegetable is necessary and indispensable



It is a question that eats only [katoittesore].



Be healthily and coming [no] dieting it earnestly without forgetting.



Because the protein is an important nutrient of the body, it tightly takes it.



Food that warms the one to cool the body



It seems to be good for dieting when bearing it in mind.



Therefore, for the dieting success



Soup is more effective than the vegetable juices.



After that, though the sweet one and sake are the points where I would like you to keep from



You need not become too nervous.



Not mentally putting the load too much either



Because it is a knack of making dieting succeed



It is a tolerance to some extent.





Reference: http://healthydiet4com.blogspot.com/2010/05/meal-method-to-diet.html

How Do You Boost PC Speed? The Most Effective Method to Accelerate &amp;amp; Optimize Your PC in Minutes!



<br />



Are you wondering how do you boost PC speed and keep it from operating slowly and/or getting a ton of errors every time you turn your computer on?! Okay my friend, take just a few quick minutes out of your day to read this article here and learn more about the most effective method to skyrocket your computer speed and improve the performance today!



Listen, I know you want to get your computer fixed NOW, so I'm just going to get straight to the point - it all comes down to your Windows registry!



The Windows registry is a complex and space sucking part of the computer, BUT, it is extremely important. The registry contains several types of data from everything it is you do on your computer. This will include downloading, uploading, removing, installing, and so much more!



Guess what happens if the registry becomes too full or gets corrupted with some type of virus or spyware? That's right, your computer is going to begin to run slow, get errors, and so much more. Because the registry can not be turned off, then this problem is inevitable for anyone that has a Windows based PC.



However, there is good news. There are programs available that you can download which will firstly scan and then secondly repair your computer. By getting your registry cleaned, you will instantly boost PC speed.



Now, notice I said that there are programs available to repair your registry, right? Well, please take my advice and do not attempt to repair the registry yourself. This is a surefire way to cause unrepairable damage to your computer. This is because the registry is so sensitive and one mistake will have you out shopping for a new computer!



So, if you want your computer running more faster, I recommend you get a safe, reputable, and effective online registry cleaner to get your PC optimized in minutes.







Reference: http://helpdesksoftwareblog.blogspot.com/2010/05/how-do-you-boost-pc-speed-most.html

Thursday, May 27, 2010

Website Hack: Find IP Address of a Website



<br />



Learn How to Find IP Address of a Web Site.



I've been posting a lot about IP Address Hacks on this blog, like How to Find The IP Address of An Email Sender, How to Hack Someones IP Address, How to Change Your IP Address and Surf The Web Anonymously, etc. Each Website on the Internet possesses at least one Internet Protocol (IP) address. Knowing a Web site IP address can be useful to determine its physical location, but this address is not automatically shown in Web browsers. So here i will show you how to find the IP address of a Website. Lets start.



Method 1:



Download Website Ip Finder Tool. Here you just need to enter in the desired website and the desired ip will be shown for few seconds.





Note: You can't close this app for some reason ( bug i guess ), but just end the process.





Method 2:




Now here is another method to to find the IP address of a website.



Open your Command Prompt (Start-&gt; Run, and here type cmd). Now type ping http://www.website.com







Method 3:




There are many services on the net where you can get ip address of the website you want.



1. MGHZ.com





2. Selfseo.com





This tool will find out the IP address of a website as well as website's country (hosting location). This might be useful if you want to see where the server of your hosting provider is located. Some search engine results can be filtered by the geographical location of websites, so you might find out why your website is doing so well on some local searches.





There are some other methods to find ip address of a websites, but these three methods are easiest and most used.



Do you have questions, comments, or suggestions? Feel free to post a comment!



Share/Save/Bookmark

Website Hack: Find IP Address of a Website



Liked this post? Make a PayPal Donation, so i can keep this site running



Subscribe to this Blog via Email:


Click here to Subscribe to Computer Hacking and get all new tricks and regular updates to your inbox!!







Reference: http://pc-tips-hacks.blogspot.com/2010/05/website-hack-find-ip-address-of-website.html

Experiment Extracting Windows Thumbnails (XP and Windows 2003 only)






<br />



Windows thumbnails have existed for eons. But in all that time I never really used the windows explorer thumbnail view. Yes, pictures are nice. But invariably I found myself needing the detail view with its listing of file types, sizes and dates.



Well, this week I came across an old stackoverflow thread which mentioned a C# tool for reading and extracting images from the windows thumbnail cache (ie thumbs.db). At least on older XP and Windows 2003 systems. (Vista and later use a slightly different format.) While there are tools galore in this category, the idea of a small DLL that could be called from CF was appealing. So I decided to give it a quick whirl with CF8, under XP.



After compiling the source with Visual C# Express, I changed my explorer settings so I actually had a thumbnails file to test. Next, I created an instance of the ThumbDB class and initialized it by passing in the path my thumbnails database. Once initialized, I used the GetThumbFiles() method to grab an array of all file names within that database.





&lt;cfset util = createObject(".net", "ThumbDBLib.ThumbDB", "c:/test/ThumbDBLib.dll")&gt;
&lt;cfset util.init( "C:/docs/thumbs.db" )&gt;
&lt;cfset fileNames = util.GetThumbFiles()&gt;
&lt;cfdump var="#fileNames#" label="Top 25 Files in Thumbs.db" top="25"&gt;



Next, I selected one of the file names and used the GetThumbData() method to retrieve the image bytes. I was hoping to create a CF image object from the bytes and display it in my browser. But every time I called ImageNew(), ColdFusion kept complaining about my argument type.





&lt;!--- this does NOT work ---&gt;
&lt;!--- grabbing an arbitrary file from the listing for testing ...---&gt;
&lt;cfset thumbnailName = fileNames[1] /&gt;
&lt;cfset bytes = util.GetThumbData( thumbnailName )&gt;
&lt;cfset img = ImageNew(bytes) /&gt;



That is when it hit me. A byte in C# is not the same as byte in Java. Unlike Java, C# has signed and unsigned types. So where C# has two data types, sbyte (-128 to 127) and byte (0 to 255), java has only one, byte (range -128 to 127). So according to the data type conversion matrix, the C# byte array was being converted to a short array.



Thanks to a tip from BlackWasp.com, I added a new method called GetJavaThumbData(), which converts the C# byte array into one that is compatible with Java. Using the new method, I was then able to display the thumbnail perfectly.



C# Code:



public sbyte[] GetJavaThumbData(string fileName)
{
byte[] data = GetThumbData(fileName);
if (data != null)
{
sbyte[] jvData = Array.ConvertAll(data, delegate(byte b) { return unchecked((sbyte)b); });
return jvData;
}
return null;
}



ColdFusion Code:



&lt;!--- grabbing an arbitrary file from the listing for testing ...---&gt;
&lt;cfset thumbnailName = fileNames[1] /&gt;
&lt;cfset bytes = util.GetJavaThumbData( thumbnailName )&gt;
&lt;cfset img = ImageNew( bytes )&gt;
&lt;cfimage action="writeToBrowser" source="#img#"&gt;



It is worth noting the ThumbDB class also has a method named GetThumbnailImage(), which returns a C# image object. You can use its properties to display things like height, width, resolution. The class also has several methods for saving the image to a file. Out of curiosity, I tried several of the overloaded save() methods. But I only had success with the simplest form: Image.save(filepath). I am not sure why. Though with CF's own image functions, they are not really needed anyway.





&lt;cfset img = util.GetThumbnailImage( thumbnailName ) /&gt;
&lt;cfoutput&gt;
&lt;strong&gt;Thumbnail: #thumbnailName#&lt;/strong&gt; &lt;hr /&gt;
Height = #img.Get_Height()#
Width = #img.Get_Width()#
PixelFormat = #img.Get_PixelFormat()#
Resolution = #img.Get_HorizontalResolution()# /
#img.Get_VerticalResolution()#
&lt;/cfoutput&gt;



Supposedly the Windows API Code pack can extract thumbnails on later systems like Windows 7. If anyone has used it, or something similar, on Windows 7, let me know. I would be interested in hearing your experiences with it.






Reference: http://cfsearching.blogspot.com/2010/05/experiment-extracting-windows.html

Tuesday, May 25, 2010

49ers tried each possible method to convince voters to say yes



<br />



The failure of Minnesota Vikings for losing a bid for a new downtown stadium inspired the San Francisco 49ers. They are not trying each possible method to convince the voters to say yeas for their proposal to build a new stadium in Santa Clara.



In fact, a new stadium seems to be an urgent thing for the 49ers jerseys, first to cite for the need of fans to watch football game live, second to have the right to host NFL games in future. It is no doubt not an easy thing to convince the voters, the state of the economy in California is the bait that the 49ers community gave to the voters, what's more, a full-time campaign manager and a full-time staff of six with scores of volunteers were organized just to convince the voters. So we can easily distinguish that how eager the 49ers community is, however, this is comprehensive.



However, the decision is on the hands of the voters, if the 49ers can't convince the voters, they could only find another way to solve the problem, and then Oakland should be their first chance.





Reference: http://gabrielleshouse.blogspot.com/2010/05/49ers-tried-each-possible-method-to.html

I want to know that is there any possible method to access Orkut if it blocked at our server.?



<br />



Hello friends, in our organization orkut is blocked at server. I want to know that is there any possible method to access Orkut in this situation. When we try to access it appears Access Denied.

I want to know that is there any possible method to access Orkut if it blocked at our server.?

ninjaproxy.com





proxy.org





please give me ten points

Reply:U just have to open the url: http://images.orkut.com/Home.a...





It worked in my case. think it will help u too... Report Abuse










Reference: http://orkut153.blogspot.com/2010/05/i-want-to-know-that-is-there-any.html

Saturday, May 22, 2010

Breakthrough Holistic Method to get pregnant quick



<br />



Women who have small children will have a difficult time relating to somebody who is unable to have children. If you have never been able to get pregnant, then you may have a difficult time being around women who have children. A lot of women are born with all of of the eggs they will ever have, and the number of eggs rapidly depletes as women age. Women, who do not conceive naturally, can conceive artificially through in vitro process.



Get the Pregnancy miracle book and holistic method here now!



Infertile isdescribed as the inability of a husband and wife to get pregnant following a year of typical unprotected sexual intercourse. Regular intercourse would mean an average frequency of two times per week. Infertility affects one in seven couples and impacts both men and women. The most significant factor affecting a couple's fertility is the woman's age.



All-natural fertility treatment offers some amazing results in its capability to prevent miscarriages even in women who have a history of repeated miscarriages. Traditional Chinese Medicine emphasizes the harmony and equilibrium of the body system, inner spirit and outside environment. Traditional Chinese Medicine had proven to be extremely effective in treating unknown causes of male infertileity. The principle of Traditional Chinese Medicine in infertileity treatment works on conditioning the entire body for fertility, so the good benefit of the treatment will be apparent only after about a couple of months, which is enough time it takes for a sperm to mature.



Percentages are varying since multiple problems can exist in a couple. Understand more concerning infertileity treatments in our guide . Percentages are variable since multiple problems can exist in a husband and wife, and percentages enhance greatly with collaborative therapies between conventional and traditional Chinese medical treatments. The details are extremely important and not appropriate to each and every man or women.



Get the breakthrough Pregnancy Miracle holistic system and course here. Breakthrough Holistic Practices to end up with a healthy baby easily




Reference: http://holistic-infertility-book35.blogspot.com/2010/05/breakthrough-holistic-method-to-get.html

Friday, May 21, 2010

Ultrasensitive imaging method uses gold-silver 'nanocages'



<br />



WEST LAFAYETTE, Ind. - New research findings suggest that an experimental ultrasensitive medical imaging technique that uses a pulsed laser and tiny metallic "nanocages" might enable both the early detection and treatment of disease.



The system works by shining near-infrared laser pulses through the skin to detect hollow nanocages and solid nanoparticles - made of an alloy of gold and silver - that are injected into the bloodstream.



Unlike previous approaches using tiny metallic nanorods and nanospheres, the new technique does not cause heat damage to tissue being imaged. Another advantage is that it does not produce a background "auto fluorescent" glow of surrounding tissues, which interferes with the imaging and reduces contrast and brightness, said Ji-Xin Cheng (pronounced Gee-Shin), an associate professor of biomedical engineering and chemistry at Purdue University.










Composite Image of Nanocages



Caption: New research findings suggest that an experimental ultrasensitive imaging technique that uses a pulsed laser and tiny metallic "nanocages" might enable both the early detection and treatment of disease. This composite image shows luminous nanocages, which appear like stars against a black background, and a living cell, at upper left. The gold-silver nanocages exhibit a bright "three-photon luminescence" when excited by the ultrafast pulsed laser, with 10-times greater intensity than pure gold or silver nanoparticles. The signal allows live cell imaging with negligible damage from heating.



Credit: Purdue University graphic/Ji-Xin Cheng. Usage Restrictions: None.
"This lack of background fluorescence makes the images much more clear and is very important for disease detection," he said. "It allows us to clearly identify the nanocages and the tissues."



The improved performance could make possible early detection and treatment of cancer. The tiny gold-silver cages also might be used to deliver time-released anticancer drugs to diseased tissue, said Younan Xia, the James M. McKelvey Professor for Advanced Materials in the Department of Biomedical Engineering at Washington University in St. Louis. His team fabricated the nanocages and nanoparticles used in the research.



The gold-silver structures yielded images 10 times brighter than other experimental imaging research using gold nanospheres and nanorods. The imaging technology provides brightness and contrast potentially hundreds of times better than conventional fluorescent dyes used for a wide range of biological imaging to study the inner workings of cells and molecules.



Findings were detailed in a research paper published online April 6 in the journal Angewandte Chemie's international edition. The paper was written by Purdue chemistry doctoral student Ling Tong, Washington University graduate student Claire M. Cobley and research assistant professor Jingyi Chen, Xia and Cheng.

The new imaging approach uses a phenomenon called "three-photon luminescence," which provides higher contrast and brighter images than conventional fluorescence imaging methods. Normally, three-photon luminescence is too dim to be used for imaging. However, the presence of gold and silver nanoparticles enhances the brightness, overcoming this obstacle. The ultrafast laser also is thought to possibly play a role by causing "third harmonic generation," which increases the brightness.



Previous research to develop the imaging system has required the use of "plasmons," or clouds of electrons moving in unison, to enhance brightness and contrast. However, using plasmons generates tissue-damaging heat. The new technique does not use plasmon enhancement, eliminating this heating, Cheng said.



The three-photon effect might enable scientists to develop advanced "non-linear optical techniques" that provide better contrast than conventional technologies.



"The three-photon imaging capability will potentially allow us to combine imaging and therapy for better diagnosis and monitoring," Xia said.



Researchers used a laser in the near-infrared range of the spectrum pulsing at the speed of femtoseconds, or quadrillionths of a second. The laser pulses 80 million times per second to illuminate tissues and organs after nanocages have been injected, Cheng said.



The cages and particles are about 40 nanometers wide, or roughly 100 times smaller than a red blood cell.



The researchers intravenously injected the nanocages into mice and then took images of the tiny structures in tissue samples from organs such as the liver and spleen. ###



The ongoing research is funded by the National Science Foundation and the National Institutes of Health. The research also is affiliated with the Birck Nanotechnology Center and the Bindley Bioscience Center, both in Purdue's Discovery Park.



Ji-Xin Cheng: engineering.purdue.edu/BME/Research/Labs/Cheng

Weldon School of Biomedical Engineering: www.purdue.edu/bme

Younan Xia: engineering.wustl.edu/facultybio



Abstract on the research in this release is available at: www.purdue.edu/newsroom/research/ChengNanocages



Contact: Emil Venere venere@purdue.edu 765-494-4709 Purdue University




Reference: http://nanotechnologytoday.blogspot.com/2010/05/ultrasensitive-imaging-method-uses-gold.html

Thursday, May 20, 2010

Cleaning Berber Carpets the Proper Way



<br />



Cleaning Berber carpets the proper way requires an understanding of what such a carpet is, and how to care for it properly. Different types of berber carpet need correspondingly different methods of care.



Over the years there have been many different types of carpet, including materials and manufacture, all of which aim to provide not only an attractive and comfortable carpet for the home, but also a carpet which will remain looking good for as long as possible. At times, this has involved the manufacture of carpets which are rich thick and fluffy, and while these are extremely comfortable and look attractive, they can quickly become matted and soiled.



During the 60s and 70s there was a trend for carpets to be manufactured in a way that they were highly durable and able to withstand a high level of traffic, resist a significant portion of the inevitable dirt, and grime which is ground into all carpets. However, these tend to come from synthetic materials, often at the cost of comfort.



Today, one of the most popular types of carpet for the home is the Berber carpet. Berber carpets come from a number of different materials, the most common of which include wool or nylon. The name Berber refers not to the material used, but instead to the actual weave of the carpet. Regardless of the material used, Berber carpet is very small loops densely packed together, either creating a pattern or a uniform color. It is the fact that the carpet uses extremely small, tightly packed loops that it is able to withstand a great deal of traffic and resist a significant amount of dirt.



Because this type of carpet has such a close, tight weave, it is able to resist dirt and stains much better than most carpets. It is necessary to remove the stains and dirt quickly because the close, tight weave will make the stains very difficult to remove once they sink into the carpet. Cleaning a Berber carpet often involves quick first aid in the event of spills from either powders or liquids.



Cleaning Berber carpets thoroughly could involve a steam cleaner with a cleaning solution. This will certainly be very effective, and a perfectly satisfactory way of thoroughly cleaning the carpet. However, because of the tightly woven fabric the solution will be harder to remove, meaning that the carpets may take much longer to dry than other types of carpet. Therefore if you are using this method to clean your carpet make sure that you allow plenty of time for drying, and it is advisable to choose to do the cleaning on a warm dry day.



One of the best ways of ensuring that the carpet remains looking in good condition is to prevent any surface dirt, dust or grime from being allowed to penetrate the weave, and so regular vacuuming is very important. If you remove your shoes before walking on the carpet, you will help to prevent this surface dirt and any damage that may occur.



Vacuuming a tightly woven carpet is much easier than a loose wool carpet, for example, since the dirt and dust tends to sit right up on the top of the surface. As long as you give it a good vacuuming before you try to wash it, because the water could force the dirt down through the carpet, and it will be much more difficult to remove.



Nylon Berber carpets are extremely popular, being less expensive than the wool equivalents. Nylon is also able to resist stains such as mold or mildew quite easily, whereas a wool carpet would be permanently damaged because of these types of stains. To clean a nylon carpet it is best to use a cleaning method, which is low in moisture. This will ensure an excellent cleaning result, while at the same time helping to reduce the time that it will take for your carpets to dry.



Wool Berber carpets are the most expensive, but they are also able to resist both stains and wear much more effectively than synthetic materials. However, wool is absorbent and so any cleaning method will need to use as little moisture as possible. However, as long as a low moisture method is used, a wool Berber carpet should end up looking as good as new.



Perhaps the easiest type of Berber carpet to clean is made of Olefin, which is a synthetic material that is extremely resistant to stains. Olefin carpets are almost entirely stain proof except for those stains, which are oil based.



Whichever type of carpet you have remember never to scrub a stain, as this will only help it to penetrate the carpet deeper. Use an absorbent cloth to lift the stain, and use water to dilute the stain. If you do this immediately, this should mean that, most stains would easily come out.



Cleaning a berber carpet can depend on the material used to make it and the density of the weave. Each different material has its own particular maintenance needs, although the general approach of rapid cleaning of spills and regular vacuuming applies to each one of them.



organic infant clothing nasal aspirator







Reference: http://mr-steam.blogspot.com/2010/05/cleaning-berber-carpets-proper-way.html

What is the proper way to do golf setup



<br />



Stop Topping





Having problem with topping the ball? You may be looking up too soon, lifting up the back foot or over-swinging. Keep the swing smooth and easy. Wait for the sound of impact before you look up. Let the head turn with the body as it moves forward after impact.





Proper Golf Setup - 50-50





When addressing the golf ball, think 50-50. Balance your weight evenly on both feet.





It Is Good To Be Square





When it comes to golf, it is good to be square. Lay a golf club or a rope on the ground and online with the hole as an aid to help you align your feet at the target.





Be a Square Golfer on Your Golf Setup





Square your stance and your shoulders at the target for the correct alignment and swing plane. Lay a club at the target, then butt your feet against it. Now, you are square. At this point make sure your shoulders are pointing at the target, also. Alternate method is to lay the club across your thighs. It should also point at the target.





Closed Stance





To place your feet in preparation for a draw shot, where the rear foot is moved back off of or inside the parallel target line.





Iron Address





At address, forward press the hands so they are in front of the ball. This helps keep them ahead of the ball at contact which gives you a solid TaylorMade R9 Irons golf club shot.





Where To Put The Ball





Since every golf club is different in length we need a general ball placement guide for every club. Iron golf clubs are played at center and rear of center to allow a hit in the downward part of the swing arc, while woods are played front of center to give the feeling of sweeping at the ball.





Slant That Tee





A common method to tee up a golf ball is to forward slant the tee in the ground a little, then place the ball on it. The forward slant gives you a feeling of sweep direction (at the hole) and provides less resistance from hitting the tee itself.





Do Not Be A Stiff





For a properly balanced stance, do not be stiff legged, rather sit down a little by bending the knees very slightly. This gives you proper balance throughout the swing.





Correct Body Distance While Teeing Off - More Golf Setup Tips





If your body is too close or far positioned from the ball, your distance and aim will be greatly effected. First position yourself behind the ball as normal. If you are right handed, grip the club as usual. Let your right hand go from your grip. If you are positioned just right, it will stay in the same location as when you gripped the club. If you are too far from the ball, your hand (when you release it) will fall towards the end of the shaft. If too close, your hand will fall further down the shaft. For lefties, this drill should be done with the left hand. This only takes a couple seconds to do but will improve your distance and accuracy.





Stance Width





The width of your stance should be about the same width as your shoulders. If your stance gets too wide it allows you to develop swing flaws such as head sway, poor finish, and weight back.





Keep Knees Slightly Bent





Bend your knees slightly. Do not bend your knees too much, just a bit. Do not lock your knees straight or you will be unable to use your legs in the swing. Your legs are one of the three sources of power, so you want to be able to use them in the swing.





Weight Distribution In The Stance





The weight distribution should be on both feet, front to back, left to right. Practice getting comfortable with your stance in your backyard. Good balance is very important towards developing a good swing.







Reference: http://yourgolfin.blogspot.com/2010/05/what-is-proper-way-to-do-golf-setup.html

Wednesday, May 19, 2010

A Method to his Catness?



<br />






It was a quiet day in Catland for most of our readers today. Little do they know about the relentless barrage of idiocy that I received from our little cat-friend. Most of which isn't fit to print. First of all there was this.






Out of the blue (1:40 PM):







Catman: lightjaber


J: you're grasping for straws now


Catman: grasping for paws







There was a pause (pun not intended), and then the Catman offered a business idea (1:41 PM):






Catman: should develop a climbing tool called the grappling paw (TM)






A strong wind passed by the window (2:51 PM):







Catman: the wind is coming up strong now


Catman: hold onto my paw


Catman: GRAB A HOLD OF MY PAW


Catman: QUICKLY


Catman: GRAB HOLD!







I attempted to summarize my feelings, and he offered me reassurance (4:34 PM):






J: talking to you somedays is like wandering around a ward of head trauma patients


J: and just listening to snippets of their conversations


Catman: nah


Catman: is a pattern


Catman: that you don't know about


J: to the madness?


Catman: the catness







Rest assured readers, there is a method to his catness.







Reference: http://yourdailygroodbud.blogspot.com/2010/05/method-to-his-catness.html

What is the method to determine the cost of carpet cleaning?



<br />



Hi yahoo answers tell me the way to determine the cost of the carpet cleaning







Reference: http://carycarpetcleaning.blogspot.com/2010/05/what-is-method-to-determine-cost-of.html

Monday, May 17, 2010

As we all arrive to come together!



<br />









Suitcases in Hand as they come together to study...





Reference: http://ttapmethod.blogspot.com/2010/05/as-we-all-arrive-to-come-together.html

Method to My Madness



<br />



Here's how I began blogging. Yes. There is a method to my madness. It all started with a Bruce Lee ( I know that's a little hard to believe, especially since he's been dead . . . ahh, how many years?) documentary. It is an extra on the double disc Enter the Dragon Dvd. Anyway, there was one part in particular that stayed with me, it was an audio recording of Bruce Lee speaking about being true to yourself. So, I have always liked writing, and blogging was just a natural extension of that. I enjoy expressing myself, and I do not feel the need to confine myself by titles (how Bruce Lee like!), which is why I named my blog based on investing and trading, but on any given day I'll post about anything. That is the essence of Jeet Kune Do. . .expressed in the physical form of writing.





Reference: http://investorconscious.blogspot.com/p/method-to-my-madness.html

Sunday, May 16, 2010

Curious about how big the oil spill is?



<br />



Here's a good idea:










All this dilly-dallying on the part of BP was enough to make Obama mad (Well, show a certain flash of mild irritation).




"I have to say though I did not appreciate what I considered to be a ridiculous spectacle," President Obama said this morning. He was talking about the testimony of executives from BP, Halliburton, and Transocean, the companies behind the Deepwater Horizon oil spill (and not, say, about his own game of make-believe with Hamid Karzai). "The American people cannot have been impressed with that display, and I certainly wasn't."








Reference: http://methodismadness.blogspot.com/2010/05/curious-about-how-big-oil-spill-is.html

The Obsession with Beauty



<br />



(This was cross-posted in Nigerians Talk)



There's something about a suit that irks me.

Don't get me wrong, I appreciate a well-dressed man as much as the next girl, but there's something about a perpetually well-dressed person that puts me ill at ease. I'm not sure what it is. Maybe it's that you have a knot around your neck that looks as though you're bound to boring strictures that indicate your worth according to your adherence to decorum. It could be the 'uptightedness' of showing the whole world where iron meets cotton, cufflinks meet sun, belt meets buckle. Why spend so much time on the preparing for your meeting with the outside world? No, that's not the real question. Here's a better one: Why spend so much time showing me that you've prepared for your meeting with the outside world? The older I get, the more I appreciate the occasional wrinkle, the slightly-skewed tie, the glasses that show you left the house too quickly to get your contacts on. There's a charm to this, a humanness that is as appreciable as a well-cut suit. When you look good without trying, you look better, I think, when you did try, and shifts focus from the effort to merely its outcome.



The beauty of art, after all, is in its seeming effortlessness. I swear, Monet and Picasso are geniuses because we don't know how hard they worked on each canvass, how many trials it took to get that perfect shade of blue, how many times they must have broken their paintbrushes in sheer frustration. Beauty is outcome, not the work behind it.



A lot of Nigerians pride ourselves on the way we look. So many of us love the image of the party people who color-code our gele to shoes and jewelry, who snigger when someone clearly isn't doing it right. Everyone from Banky W to P-Square to D'Banj has music videos that show that we have "arrived" and, in a lot of ways, we have. We have the buildings, the American singers/rappers coming to perform our country, the whole world giving a damn when our president is M.I.A (Yes, yes, people only cared because of a certain undie bomber, but still), Abuja becoming our shining carved-out city on the hill, China investing heavily, all that (debatable) good stuff.



We did, however, seem to have gotten here with very little work. We can argue about this from today until tomorrow, and quibble about how the Lagos governor has done a good job and how Kwara state is on the up-and-up, but really, how much work has really been done? Really? How much focus has been aimed at dealing with our very real problems? Can anyone actually think of any of the big issues that we have done away with? Corruption? Oil money actually benefiting people they should benefit? What? EFCC does its work, but has it actually gotten rid of the actual problem of rampant corruption? Yes? No? Think about it. Don't worry, I'll wait.



So many people were up in arms about poverty in Lagos shown during that BBC documentary, but to all those folks, sit and think about it: Are you really surprised? How much, besides lip service, has been paid to dealing with poverty? The ridiculous rate of urban migration to 2 or 3 big cities that are already bursting at their seams? To the people who get turned away in form of being reduced to poverty, like unwanted children in a family not being given enough to eat? How much infrastructure building has been done in comparison to how much we need? What initiatives have actually achieved something groundbreaking to change the lives of ordinary Nigerians, not the people who eat fancy dinners at fundraisers that achieve nothing? Nothing. Nothing. The Answer is nothing. The fiercely patriotic who would not hear a word wrong about the beloved Nigeria see all this beauty. More pragmatic Nigerians want to see the work.



Work is an uninteresting hum of logistics and planning. Work requires stripping away of the gele, taking off of those Gucci sunglasses that cost way more than you hoped to spend, taking off of that Burberry handbag that took you six months of saving and hours of debating in front of the shop window. Work requires a long look in the mirror understanding that work indeed needs to be done, and you need to set forth at dawn to do it. Work requires getting your hands dirty. There is nothing beautiful about the grit between your nails. But maybe beauty should not be our goal.



There is no sanctimony here. I am not going to end this with "Go Out and Vote" naivete. I am not sure it will take any more than a bag of rice to get a truly poor Nigerian with suffrage rights to vote for someone who (s)he knows is a tyrant. I am not sure a lot of us truly care one way or another about what goes on in this country as long as our own generator-powered lives are uninterrupted. I don't know what it will take to change anything. But I do know we have no right to angry when a mirror is held up in front of us and it doesn't look pretty.



(Not everybody is complaining about the documentary, of course. Here's Loomnie's reasonable take).







Reference: http://methodismadness.blogspot.com/2010/05/obsession-with-beauty.html

Saturday, May 15, 2010

Safe Penis Enlargement - A Proven Method to Easily, Safely, & Effectively Make Your Manhood Bigger! By Anthony Sciuto



<br />




Safe Penis Enlargement - A Proven Method to Easily, Safely, &amp; Effectively Make Your Manhood Bigger!




Are you interested in getting a bigger penis, BUT, with safe penis enlargement? Well good for you! Going the safe route is the best route... especially with the particular part of the body in question! Read on to see what method is proven effective for not just safe enlargement, but also quick and easy too.



I'm pretty sure you've heard of all of the most popular methods there are. However, with most of these options, the results are not natural and the side effects are pretty scary! You have:



A.) Surgery - This option is quite expensive, it's very risky, and it also has a pretty high unsatisfactory rate.



B.) Pumps - Enlargement pumps have many side effects including possible damage to your manhood (there has been reports of men getting their manhood stuck in the device... it sounds funny, but I'm pretty sure it hurts like crazy!), some can get Peyronies Disease, blisters, scarring and so much more.



C.) Pills - Out of all of the methods, enhancement pills are probably the most popular. Let's see here, pop a pill, wait a little while, and then voila, you now have a huge penis causing your significant other to blush every time you walk in the room?! Sounds too good to be true, doesn't it? Well, it is.



Pills have a lot of questionable ingredients in them, and they are not approved by the FDA. Also, many men have reported not even really seeing that big of a difference anyhow.



Now, out of all the methods I have researched, the safest and most effective method I've encountered is all natural penis exercises.



With this method, there are no miracle solutions and you will have to work to get results. In order to do this technique and get bigger fast, you are going to have to stay 100% consistent. However, even though it is going to take major dedication, the results will be worth it.



You see, when you do safe penis enlargement exercises, given that you are working the tissues and cells of your manhood, whatever growth (length and girth) you attain, the results will stay permanently. Also, you will end up with a much more attractive looking manhood as compared to the other unnatural methods.








Reference: http://penisenlargementmedicine.blogspot.com/2010/05/safe-penis-enlargement-proven-method-to.html

What is the best method to fight or get rid of tooth decay AND maybe gum disease?



<br />



fighting tooth decay and gum disease can sometimes seem like an uphill battle. you mught find you need to make a complete lifestyle change. cavities thrive and grow when you combine sugar with plaque, even more so in a dry enviornment. you need to brush at least 3 times a day, after every meal, floss at least once a day, and drink lots of water. fluoride treatment has been proven to retard the growth of smaller cavities, and prevent new ones from occuring. also cutting out the sugars, and starches (which turn into sugars) and replacing them with healthy alternatives will prove very beneficial.





as for the gum disease, daily flossing is required, but be gental, agressive flossing can do more harm than good. also there is a fantstic oral rinse which you can purchase from you dentist of hygeinist, called CHLORHEXIDINE. it works wonders.





also, you may want to consider having your dental cleanings done every 3months instead of 6 you may just have a high maintenence mouth.



What is the best method to fight or get rid of tooth decay AND maybe gum disease?

Brush, floss and use listerine.

Reply:use mouth wash

Reply:eat *** !!! it helps a lot! it removes all the pain!!!

Reply:To fight tooth decay you need to do correct/soft brushing twice daily with a gap of 12 hours between them. As bacteria colonise in 12 hours.





To get rid of Tooth decay go to a Dentist as ther are no short cuts and it has to be proffessionally removed when it occurs.





To prevent gum disease again brush your teeth well and massage your gums wetting your finger after brushing. Go for a cleaning ( scaling) to a dentist once in 6 months even if you dont see tartar in your mouth.

Reply:brush, floss and see the dentist regularly. Stay away from things like soda, junk food, smoking and meth.










Reference: http://tooth-decay4.blogspot.com/2010/05/what-is-best-method-to-fight-or-get-rid.html

Tuesday, May 11, 2010

Method to the madness



<br />



Over the last week, I've asked 4 questions of my readers. The first post was "I'm not...are you?" and was about the level of boredom that seemed to be spreading among the bloggers. The next question was about the source of your team loyalty. The third question asked you to think about your player collection and how you decided a player deserved your collecting attention. The last question was about product, new and older.



I asked these questions to get people thinking about this hobby and why they are still collecting. I wanted people to re-connect with their collection in some way and escape the doldrums that have settled across the 'sphere'. I hope that at least one of you got a new perspective on your collection this week.



I do know that more people were reading those days. The days I posted the questions I had about a 25% increase in hits. I also had 34 comments on those 4 posts which may not seem like many to some, but is way above my average of 1-2 comments per post.





Reference: http://playattheplatedude.blogspot.com/2010/05/method-to-madness.html

The Single and Only Secret Method to Creating a Better World



<br />



I will accord you time to appraise the appellation catechism as I accord you two examples. affection ache and affection accompanying problems are one of the arch causes of afterlife in this country. Everyday in offices, homes, planes, on the road, etc. bodies are adversity affection attacks and accordingly acute addition to alarm 000 to organise an Ambulance. In abounding instances due to traffic, Ambulance shortages and arrangement inefficiencies, paramedics are accession at a patient's ancillary to backward to anticipate above accident or death. In actuality in the US, about 80 percent of all abrupt cardiac arrests action at home and beneath than 5 percent of those victims survive. In the bazaar abode now is a artefact alleged a Home affection Start Defibrillator. This amazing artefact allows around any user to restart a person's affection that may accept chock-full by talking a actuality acutely through the process. It alike checks to see whether the electrical pads are in the appropriate abode and if the actuality absolutely needs the action at all. It alike coaches a actuality canal CPR.



On the added duke we in the Western World at ample is activity through an blubber catching starting with kids as adolescent as 3. Why are we activity through such an catching and why is the botheration accepting worse? Well we drive to academy and the shops instead of benumbed or walking. We watch TV and babble and comedy amateur on the computer or amateur animate for ball instead of appliance and arena outside. We accept beneath time to baker because of our schedules so we eat added pre-prepared, awful candy and fast food. Basically we accept automatic so abounding our tasks because of the Internet and abstruse accessories we accept created, that our circadian chiral labour tasks are now minimal.



In abounding Universities in the 70s they acclimated to advise acceptance that in the approaching they would be alive beneath because of technology and processes that were now animal operated would be automated. Unfortunately they were alone bisected right, we accept automatic best of those processes but we are alive added than ever.



Now accustomed all this due you anticipate we are bigger or worse off than ancestors previous? The accessible acknowledgment would apparently be that is depends what you are talking about. We accept fabricated things added efficient, we accept added ball options, medical science is Able to cure added ailments, we can biking best places calmly and we are Able to admission and advice and acquaint better. However as a association we additionally are now fatter, beneath active, added depressed and lonely, acquaint face to face less, in added debt and if trends abide will accept a beneath boilerplate activity amount to our above-mentioned generation.



The adage "you are actuality for a acceptable time not a continued time" would advance we are bigger off now but the actuality that alone a bearing ago, agreement like accent disorder, ADD, aggressive blubber and alley acerbity were rarely acclimated if at all. I anticipate the botheration lies in the actuality that over time, we as animal beings became abased on burning delight in all aspects of our life. Whether it is entertainment, communication, biking or alike abating a disease. At some point we had to ad-lib the machines and systems to accomplish this burning delight and that would accept taken adamantine assignment and maybe alike a bit of adversity to accomplish that goal. This array of animal attempt to accomplish article is what abounding accept brings a accomplishing life. Maybe if we as a association struggled to accomplish article for approaching ancestors to adore again not alone can we affected some of the problems our association has but we can additionally adore the technology we accept because of ancestors accomplished after it actuality adverse to our lives.







Reference: http://homedefibrillatorblog.blogspot.com/2010/05/single-and-only-secret-method-to.html

Friday, May 7, 2010

//Looking for the Perfect Beat: The Dereliks..



<br />






//Of course Bambaataa began the quest for the Perfect Beat back in 1983, but the greatest song ever made about the topic came from the "Telegraph Era" of the East Bay 90s hip hop renaissance...from a crew called The Dereliks. DJ Hen Boogie and MC Izadoe Byrd were from San Jose and had a jazzy, lyrical sound that was one of the best of those times. My first encounter with them was around '95 - I had no idea who they were but it was at one of the Mystik Journeymen's "Unsigned and Hella Broke" warehouse shows (where you could get in for $2 and a pack of Top Ramen). The intro as they made their way to the stage was looped from A Tribe Called Quest's "After Hours," Q-Tip chanting "A derelict makes a real long speech/We listen to the words he reads." They had a short but sweet set that was the highlight of that show. Maybe a couple weeks later I was on Telegraph and I saw Iz outside Rasputin's Records. I told him I really enjoyed their set and he says, "You want some vinyl?" We walk to his car and he breaks open a box, hot off the press of this record:

//It's their EP A Turn on the Wheel...Is Worth More Than a Record Deal. Turns out that off their demo the crew had been courted by some major labels in NYC, were flown out there and had been on the verge of signing a deal when the label got cold feet. Oh well, they came back and put this out themselves and it is truly an underground classic. The best track "Iz on Some Other.." is partly inspired by their trip to NY but as the title says, Izadoe takes it to another place, looking for that elusive Perfect Beat. The piano loop was used by De La Soul on their 3-sided 12" single for "Me, Myself and I," and Iz gets griot all over the track.





The Dereliks - "Iz On Some Other..." (Low Self Discipline, 1995)

+ the instrumental "Hen On Some Other..."






//The Dereliks ended up folding a couple years later, but Hen Boogie is still producing great downtempo, soulful tracks like this version of jazz standard "Summertime." Dunno where Iz is at now, but I would still rank him up there with the best MCs from the Bay. I rememberShing02 telling me he had bumped into him several years back and got a tape of some more party-type tracks he had done that have yet to see the light of day.




//DJ Zita and I continue that quixotic quest for the Perfect Beat this Saturday, with outernational rhythms, superfuture solsonics, and timeless vibrations. 1neLuv..




Reference: http://deejaydmadness.blogspot.com/2010/05/looking-for-perfect-beat-dereliks.html

An effective method to overcome regrets: reading biographies



<br />





Publishers love biographies since they usually sell well for many years. The best biographies are short on dates and rich on story, meagre on doubts and abundant on motion.



Reading about mistakes made by illustrious individuals is why people enjoy biographies. In this respect, little, insubstantial errors don't count. A solid biography must contain at least one horrendous, shattering mistake.


  • A great actor who accepts a role in a trash movie and ruins his career.


  • A successful fund manager who makes a bad investment and experiences enormous losses.


  • A self-made millionaire who marries a worthless woman and goes through devastating divorce.


Many biographies provide extensive details about how eminent persons turn into fools. Vanity and greed play a role sometimes, although less frequently than venal authors like to portray. The truth is that, in the great majority of cases, mistakes are made in good faith, out of insufficient knowledge, insight, or perspective.



Dangers that appear self-evident in hindsight often pass undetected under real-life strains and tensions. Demanding readers expect stories to be both entertaining and thought-provoking. We want books to provide teachings that go beyond the trite and commonplace.



There is no point in reading about past mistakes if we cannot draw lessons for the future. How can you overcome feelings of impotence, sadness, and guilt after you have committed a gigantic error?



Here is what I have learned form reading History. As soon as we realize the full extent of a major error, psychological misery arises from comparing ourselves to others or to a parallel reality that would have existed if we had known better. Such negative emotional reactions rest on a logical fallacy that only determined reasoning can erase.



Mistakes are personal. The knowledge present in an individual's mind is the only relevant factor when it comes to taking decisions. This means that, after making a dreadful mistake, you should avoid comparing your situation with someone else's. It makes little sense to lament how well you could be doing if you had made wiser choices.



Each of us is born in different circumstances and each life is unique. Individuals have to grow at their own pace and learn their own lessons. Competition is a fallacy because life is not a race. Experience can be painful but it is irreplaceable.



Don't linger on illogical comparisons that bring nothing but misery. Stand up and look ahead. Your next achievement will bring you farther. Mistakes can make you a better human being and show you the way to happiness. Let them.



[Text: http://johnvespasian.blogspot.com]



[Image by mick124 under Creative Commons Attribution License. See the license terms under http://creativecommons.org/licenses/by/3.0/us]





Reference: http://johnvespasian.blogspot.com/2010/05/effective-method-to-overcome-regrets.html

Wednesday, May 5, 2010

How to spot new leadership



<br />



This video explains how to spot emerging leaders post this correction.







Reference: http://stockbee.blogspot.com/2010/05/how-to-spot-new-leadership.html

Indonesia Feels Heat to Contain Seasonal Forest Fire Haze



<br />



Fidelis E Satriastanti, Jakarta Globe 5 May 10;



With the dry season just around the corner and the El Nino weather phenomenon making matters worse, concerns are being raised over whether Indonesia's infamous forest fires will once again shroud its neighbors in smoke.



Just last week, Indonesia and four other Southeast Asian countries under the Subregional Ministerial Steering Committee on Transboundary Haze Pollution gathered in Balikpapan, East Kalimantan, and agreed to evaluate efforts to reduce the haze.



This was hoped to build on measures agreed to at the last regional meeting in August, when Indonesia, Thailand, Brunei, Malaysia and host nation Singapore agreed to ban all open burning.



However, Heddy S Mukna, assistant deputy for forest and land degradation control at the Ministry of Forestry, said the country already had strict environmental and forestry regulations that restricted the use of open fires for land clearing.



"We don't need to agree to everything, actually, because we already have our own regulations," he said.



Indonesia has yet to ratify the Agreement on Transboundary Haze Pollution signed in 2002.



Under the country's 1999 Forestry Law, all forms of land clearing by burning is prohibited. The law was passed not long after major fires in 1997 and 1998 - fueled by drought caused by the El Nino weather phenomenon - created a debilitating haze across Singapore, Malaysia and southern Thailand, causing more than $9 billion in damages to tourism, transportation and farming.



However, not much progress has been seen since the law was passed in 1999. In fact, at a United Nations meeting in 2006, Singapore accused Indonesia of doing nothing to alleviate the problem.



But Heddy said he was optimistic for the year ahead. "We just need to encourage local governments more. We need to coordinate all regions to reduce hotspots by 20 percent per year from the 2006 baseline [of 145,522 hotspots countrywide]," he said.



"The regulations on forest and land fires will automatically help us achieve the target."



But two provinces that regularly deal with the forest fires every year say a blanket ban on open burning cannot be implemented that easily.



Agustin Teras Narang, governor of Central Kalimantan, said fire was still being used to clear vast tracts of land because of tradition and the mistaken belief that it helped to improve the soil. Furthermore, these methods were not only used by local farmers, but also by big plantations.



"These plantation companies usually hire contractors to manage the land, who prefer the burning method to clear the lands because it is more effective. But their idea of effectiveness costs a lot for others," Teras said.



"The toughest time was in 2007 when it was extremely hot, causing the peatlands to dry out and easily catch fire."



The following year, Teras's administration decided to crack down on violators, but at the same time issued a gubernatorial regulation allowing controlled burning by some small farmers. A complete ban, he said, would have adversely affected small producers and hurt the province's rice output.



A limited permit system was established, requiring farmers to get varying levels of permission depending on amount of land held.



"However, this is not for big plantation companies or forest concessionaires. If companies are proven to have conducted open land clearing, then there will be no mercy - I will revoke their permits," Teras said.



He added that the province's new policy had proven effective. "With the new regulation, our hotspots have decreased significantly - by around 50 to 65 percent," he said.



Riau says the blanket ban has so far been futile because of poor implementation.



Fadrizal Labai, head of Riau's environmental agency, said the effectiveness of the ban depended on law enforcement. "There were some cases investigated by the police, but plenty of them got away," he said.



Since 2005, Riau has been trying to pass a regional regulation that is stronger than a gubernatorial regulation and would allow land clearing by burning for farmers with less than two hectares of land. The initiative, however, has been shot down by the home affairs and forestry ministries.



"The regulation came up because the province's smaller farmers were not able to rent heavy machinery to clear land," Fadrizal said, adding that in the meantime a gubernatorial regulation has been issued on the matter.



To prevent forest fires and haze this year, Syaid Nurjaya, head of forest and land fires at the Riau forestry agency, said monitors and firefighters had already been dispatched to the most fire prone areas in the province.



Based on satellite imaging, there were 401 hotspots in Riau from January to April, a massive decrease from the same period last year, which had 4,681.







Reference: http://wildsingaporenews.blogspot.com/2010/05/indonesia-feels-heat-to-contain.html

Tuesday, May 4, 2010

A Simple Method To Avoid Low Back Pain



<br />







Understanding the simple mechanics of folding at the hips can prevent morning aches and pains. Check out this video and subscribe to the Youtube channel to change your life.

http://www.youtube.com/watch?v=kf8F9x8LHuo




Reference: http://reversemagazine.blogspot.com/2010/05/simple-method-to-avoid-low-back-pain.html

New Method to Determine Properties of Nanocomposites Reinforced by Carbon Nanotubes



<br />



A group of specialists at Iran University of Science and Technology introduced a new method for determining properties of nanocomposites reinforced by carbon nanotubes.



Dr. Roham Rafi'ee, one of the project researchers, mentioned the aim of this study as prediction of mechanical properties (elastic modulus and Poisson coefficient) of polymeric composites reinforced by carbon nanotubes.



Elaborating on the results of this study, he told the news service of the INIC, "Based to the research results, direct use of micromechanics rules for prediction of nanotubes containing nanocomposites isn't right and, instead, multiscale method should be applied."



Noting that given the nature of carbon nanotubes, appropriate modeling should be done according to a random method and using definite methods yields results far from the reality, he reiterated, "It was revealed by analyses that it's possible to use carbon nanotubes length and volume fraction average values instead of their random values. Other variables like different directions of carbon nanotube orientation, indirect shape, bulk accumulation, and uneven dispersion of carbon nanotube in physical environment should be necessarily considered in the modeling. It is notable that the simulation results show very good agreement with experimental observations made by the others."



At microscale, a multiscale finite element modeling which simulates nanotube as a molecular reticular structure at nanoscale and surrounding resin as a continuum at microscale was applied. Contrary to the previous studies, the idea of equivalent single string which is a substitute for carbon nanotube and interphase was used instead of direct use of micromechanics rules.



Mechanical properties of equivalent single string were calculated on the basis of the mentioned modeling which implies side isotope behavior for equivalent single string. The effect of carbon nanotube length on load transfer from resin to carbon nanotube phenomenon was also investigated.



Considering the uncertainties associated with the problem, multiscale modeling was made randomly contrary to the previous studies. Parameters such as different directions of carbon nanotube orientation, indirect shape, bulk accumulation, and uneven dispersion of carbon nanotube in physical environment were randomly simulated.



The details of the present research are published in Mechanics of Composite Materials, in press, 2010; Composite Structures, volume 92, pages 647-652, 2010; Material and Design, volume 790-795, 2010; Mechanics Research Communications, volume 37, pages 235-240, 2010; Composite Structures, 2010.





Reference: http://nanopatentsandinnovations.blogspot.com/2010/05/new-method-to-determine-properties-of.html

Monday, May 3, 2010

Inventors&#8217; Corner U.S. Patent #7,668,724 -- Method to use DMV web connection to process traffic tickets, appeals and court fines



<br />



While nobody wants to receive a traffic ticket, the ensuing paperwork and time waiting to learn about your court date, fine, etc. can be both frustrating and unnerving. This patent describes an invention that improves the efficiency of handling traffic tickets by storing and processing traffic violation data automatically--as soon as a law enforcement official enters information via a portable computer to a DMV server.



Upon receiving the traffic infraction data, the server then determines an available trial date in a local traffic court of jurisdiction and notifies the officer, who can immediately provide the court date and related details to the driver. It can also later incorporate data provided by the accused, via the Internet, such as how they would like to proceed with the case, thereby enabling a driver to pay a fine or contest a traffic ticket via their computer. Whether an individual agrees with or disputes their traffic citation, this invention will ultimately make the follow-up process easier and more efficient.



U.S. Patent #7,668.724 was granted to inventors Rabindranath Dutta of Austin, TX; Kumar Ravi of Cedar Park, TX and Eduardo N. Spring of Round Rock, TX.





Reference: http://ibmresearchnews.blogspot.com/2010/05/inventors-corner-us-patent-7668724.html

Sunday, May 2, 2010

Subconscious vs Conscious English Learning



<br />







Languages should be learned subconsciously, not consciously. The research shows that subconscious learning of English is much better than consciously "studying" the language.





In countless studies, the result is always the same: students who learn English subconsciously learn faster and better than students who use traditional, conscious, analytical study methods.





So, what exactly are subconscious methods and what are the traditional conscious methods?





Well, you already know the old conscious way of learning English. You use your conscious brain to analyze English grammar, memorize English vocabulary, and translate English messages. This is the method you used in school. You consciously studied the mechanics of English, as if it was a car. You cut up English with your mind and then studied the parts�. word by word,� rule by rule.





The result, as you know, is that you know a lot about English grammar rules and translations- but you can't speak well and you can't understand native speakers.





Subconscious methods are more effective. These methods provide understandable English input to your brain� and then your subconscious brain does all of the rest of the work. Consciously, all you do is enjoy English stories, articles, conversations, movies, and novels. You never think about grammar rules. You never attempt to memorize words.





Of course, the Effortless English System is a subconscious learning system. You learn grammar by listening to our crazy Mini-Stories. We carefully repeat grammar patterns during the story� but you don't think about any rules. You just listen and enjoy the story consciously� but subconsciously, your brain learns English grammar.





When you learn in this way, you can actually use the grammar too! Your spoken and written English grammar will improve tremendously. And it will be stress free. It will feel automatic- you'll just say things better and write things better and it will feel effortless. You won't be thinking about rules at all!





You must trust yourself. So many students are afraid to use subconscious methods because they don't trust their own brains. They are afraid to relax and enjoy English learning. They are afraid to let the learning happen naturally and effortlessly. Unfortunately, these fearful students almost never learn to speak English well.





Don't be one of those students. Change your way of learning. Learn English subconsciously and finally speak excellent English!


(Author: AJ Hoge)



To start learning with Effortless English click the link below:

Click here to view more details







Reference: http://effortless-english-learning.blogspot.com/2010/05/subconscious-vs-conscious-english.html

Saturday, May 1, 2010

OnDoubleClick Copy One GridView Row to Another GridView Row



<br />



Recently in the forum i saw a question on copying row from one GridView to another Gridview. Here i will discuss how we can do that.



Step 1: Create two gridview like below with ID and Country column. First one is source and second one is destination grid



Source Grid:



&lt;&lt;/span&gt;asp:GridView ID="gvSource" runat="server" AutoGenerateColumns="False" AllowPaging="true" PageSize="4" OnPageIndexChanging="gvSource_PageIndexChanging" CellPadding="5" Font-Name="verdana" OnRowDataBound="gvSource_RowDataBound"&gt;
&lt;&lt;/span&gt;RowStyle BackColor="#FFFFFF" BorderColor="Black" BorderStyle="Solid" BorderWidth="1px" /&gt;

&lt;&lt;/span&gt;Columns
&gt;
&lt;&lt;/span&gt;asp:BoundField DataField="id" ItemStyle-HorizontalAlign="Left" HeaderText="ID" ItemStyle-Width="50px" ItemStyle-Font-Bold="true" ItemStyle-VerticalAlign="Top"&gt;asp:BoundField
&gt;
&lt;&lt;/span&gt;asp:BoundField DataField="country" HeaderText="Country" ItemStyle-HorizontalAlign="Left" ItemStyle-VerticalAlign="Top" ItemStyle-Width="80px"&gt;asp:BoundField&gt;

Columns
&gt;
&lt;&lt;/span&gt;HeaderStyle HorizontalAlign="Left" Height="20px" BackColor="#880015" ForeColor="#ffffff" Font-Bold="true" Font-Size=".75em" BorderColor="Black" BorderStyle="Solid" BorderWidth="1px"
/&gt;
&lt;&lt;/span&gt;AlternatingRowStyle BackColor="#eeeeee" /&gt;

asp:GridView&gt;



Destination Grid:



&lt;&lt;/span&gt;asp:GridView ID="gvDestination" runat="server" AutoGenerateColumns="False" AllowPaging="true" PageSize="4" OnPageIndexChanging="gvDestination_PageIndexChanging" CellPadding="5" Font-Name="verdana" OnRowDataBound="gvDestination_RowDataBound"&gt;
&lt;&lt;/span&gt;RowStyle BackColor="#FFFFFF" BorderColor="Black" BorderStyle="Solid" BorderWidth="1px" /&gt;

&lt;&lt;/span&gt;Columns
&gt;
&lt;&lt;/span&gt;asp:BoundField DataField="id" ItemStyle-HorizontalAlign="Left" HeaderText="ID" ItemStyle-Width="50px" ItemStyle-Font-Bold="true" ItemStyle-VerticalAlign="Top"&gt;asp:BoundField
&gt;
&lt;&lt;/span&gt;asp:BoundField DataField="country" HeaderText="Country" ItemStyle-HorizontalAlign="Left" ItemStyle-VerticalAlign="Top" ItemStyle-Width="80px"&gt;asp:BoundField&gt;

Columns
&gt;
&lt;&lt;/span&gt;HeaderStyle HorizontalAlign="Left" Height="20px" BackColor="#880015" ForeColor="#ffffff" Font-Bold="true" Font-Size=".75em" BorderColor="Black" BorderStyle="Solid" BorderWidth="1px"
/&gt;
&lt;&lt;/span&gt;AlternatingRowStyle BackColor="#eeeeee" /&gt;

asp:GridView&gt;



Step 2: Add a button which won't be visible on UI



&lt;&lt;/span&gt;asp:Button runat="server" ID="btnPopulate" Style="display: none" OnClick="btnPopulate_Click" /&gt;



Step 3: Now fill the source grid by calling FillSource() method in the Page Load method



private void FillSource()

{
gvSource.DataSource = GetData();

gvSource.DataBind();

}



private DataTable GetData()
{

DataTable table = new DataTable
();

table.Columns.Add("id", typeof(string
));

table.Columns.Add("country", typeof(string
));

table.Rows.Add(1, "India"
);

table.Rows.Add(2, "USA"
);

table.Rows.Add(3, "UK"
);

table.Rows.Add(4, "Canada"
);

table.Rows.Add(5, "Spain"
);

return table;



}



Step 4: Add GetRowData javascript method on ondblclick in the RowDataBound event of the source gridview(gvSource) which will be invoked on click of each row



protected void gvSource_RowDataBound(object sender, GridViewRowEventArgs e)
{

if (e.Row.RowType == DataControlRowType
.DataRow)
{

e.Row.Attributes.Add("ondblclick", "GetRowData('" + e.Row.RowIndex + "')"
);

}



}



Step 5: Add GetRowData javascript method in aspx page, this method will invoke btnPopulate_Click method of the hidden button which created in step 2.



&lt;&lt;/span&gt;script language="javascript" type="text/javascript"&gt;



function GetRowData(index)

{

__doPostBack('', index);



}



script&gt;





Step 6: btnPopulate_Click method will get the row index which passed from javascript and invoke method FillDestinationGrid


protected void btnPopulate_Click(object sender, EventArgs e)

{

int intIndex = Convert.ToInt16(Request.Form["__EVENTARGUMENT"
].ToString());

FillDestinationGrid(intIndex);
}





Step 7: Fill destination will append the selected row from source to destination grid



private void FillDestinationGrid(int intIndex)
{

DataTable
table;

if (Session["DestinationTable"] == null
)
{

table = new DataTable
();

table.Columns.Add("id", typeof(string
));

table.Columns.Add("country", typeof(string
));
}
else
{

table = (DataTable)Session["DestinationTable"
];
}

GridViewRowCollection
gvRow = gvSource.Rows;
table.Rows.Add(gvRow[intIndex].Cells[0].Text, gvRow[intIndex].Cells[1].Text);
gvDestination.DataSource = table;
gvDestination.DataBind();

Session["DestinationTable"] = table;

}



Step 8: Add below line in Page_Load method to have post back reference call from javascript using __doPostBack



this.ClientScript.GetPostBackEventReference(this,string.Empty);



Step 9: Now add below two method to handle paging in the source and destination gridview



protected void gvSource_PageIndexChanging(object sender, GridViewPageEventArgs
e)

{

gvSource.PageIndex = e.NewPageIndex;

FillSource();

}



protected void gvDestination_PageIndexChanging(object sender, GridViewPageEventArgs e)

{

gvDestination.PageIndex = e.NewPageIndex;

FillDestination();

}



Step 10: Make EnableEventValidation="false" in page directive



This ends the article.






Step 3: Now fill the source grid by calling FillSource() method in the Page Load method



private void FillSource()

{

gvSource.DataSource = GetData();

gvSource.DataBind();

}



private DataTable GetData()

{

DataTable table = new DataTable();

table.Columns.Add("id", typeof(string));

table.Columns.Add("country", typeof(string));

table.Rows.Add(1, "India");

table.Rows.Add(2, "USA");

table.Rows.Add(3, "UK");

table.Rows.Add(4, "Canada");

table.Rows.Add(5, "Spain");

return table;



}



Step 4: Add GetRowData javascript method on ondblclick in the RowDataBound event of the source gridview(gvSource) which will be invoked on click of each row



protected void gvSource_RowDataBound(object sender, GridViewRowEventArgs e)

{

if (e.Row.RowType == DataControlRowType.DataRow)

{

e.Row.Attributes.Add("ondblclick", "GetRowData('" + e.Row.RowIndex + "')");

}



}



Step 5: Add GetRowData javascript method in aspx page, this method will invoke btnPopulate_Click method of the hidden button which created in step 2.









Step 6: btnPopulate_Click method will get the row index which passed from javascript and invoke method FillDestinationGrid



protected void btnPopulate_Click(object sender, EventArgs e)

{

int intIndex = Convert.ToInt16(Request.Form["__EVENTARGUMENT"].ToString());

FillDestinationGrid(intIndex);

}





Step 7: Fill destination will append the selected row from source to destination grid



private void FillDestinationGrid(int intIndex)

{

DataTable table;

if (Session["DestinationTable"] == null)

{

table = new DataTable();

table.Columns.Add("id", typeof(string));

table.Columns.Add("country", typeof(string));

}

else

{

table = (DataTable)Session["DestinationTable"];

}

GridViewRowCollection gvRow = gvSource.Rows;

table.Rows.Add(gvRow[intIndex].Cells[0].Text, gvRow[intIndex].Cells[1].Text);

gvDestination.DataSource = table;

gvDestination.DataBind();

Session["DestinationTable"] = table;

}



Step 8: Add below line in Page_Load method to have post back reference call from javascript using __doPostBack



this.ClientScript.GetPostBackEventReference(this,string.Empty);



Step 9: Now add below two method to handle paging in the source and destination gridview



protected void gvSource_PageIndexChanging(object sender, GridViewPageEventArgs e)

{

gvSource.PageIndex = e.NewPageIndex;

FillSource();

}



protected void gvDestination_PageIndexChanging(object sender, GridViewPageEventArgs e)

{

gvDestination.PageIndex = e.NewPageIndex;

FillDestination();

}



Step 10: Make EnableEventValidation="false" in page directive







This ends the article.







Visit www.dotnetspeaks.com for live demo and download the code








Reference: http://technicalsol.blogspot.com/2010/05/ondoubleclick-copy-one-gridview-row-to.html