Watchplate.com Review

I am one of those nerds who jumped on the Apple Watch fanclub, stayed up until midnight, and made it into the second delivery group for my Stainless Steel 42mm Milanese watch.  After a lot of trolling macrumors.com, the watch finally arrived, and so the first thing I did was…. send it off to a stranger to dip it in chemicals to slightly alter the hue of the material.

In fairness, it was also done in solidarity with a fellow forum member, who decided to start this company with the support and prompting of the macrumors community (myself included), so I was more than happy to contribute.  I was order #11, and us early birds, he gave us a $100 kickback if we would help spread the word on social media.  Being a student of VFX, I decided to play with youtube, and see if I could come up with something.

It turned into a bit of a project, including watching a lot of this guy, to learn how to photograph jewelry.  And of course, a lot of hours on videocopilot.net.

The folks at WatchPlate.com add a plating of 35 micron of 24K gold, which is much more than normal jewelers use, and hopefully means it will last longer.  [ UPDATE: In order to match the hue of the Edition more closely, WatchPlate.com is now using an 18K plating process, rather than the 24K depicted here. ]

Here is the video I posted to youtube.  I am particularly proud of the intro frame, made in AfterEffects.

This is what my photograph rig looked like when it was done… it is totally hacked together with paper taped to an old 5-arm light I had in college, and a sheet of yellow colored-paper to act as a reflective bar:

IMG_0406

IMG_0403

IMG_0401

The results were quite good, if I do say so myself.  As close to professional as you can get from a couple lights, an empty bucket, and a Sony camera.

SONY DSC

SONY DSC

Mercurial on Yosemite

Mercurial is a great source control system… it is light and easy to use, and versatile enough for a professional environment. When I started my current company I worked extensively on Ubuntu with a local Mercurial server, and so when I switched to OS X (Lion at the time) I brought my same setup with me. Unfortunately, after upgrading to Yosemite, I found some tweaks were necessary. Here is how I got Mercurial setup with SSL on Yosemite for command line use.

1) Install Mercurial from MacPorts

$ sudo port install mercurial

2) Create a repository… I use /var/depot for the config and /var/depot/repos for the actual source.

$ cd /var
$ sudo mkdir depot
$ sudo mkdir depot/repos
$ sudo chown -R _www:_www depot/repos

3) To setup the Mercurial web server we first create some needed files to run the web interface, then we will need to modify apache. To start create hgweb.cgi. Note that I’ve modified the Python path on the first line… the default is /usr/bin/env, which is the wrong version of Python for HG.

#!/opt/local/Library/Frameworks/Python.framework/Versions/2.7/Resources/Python.app/Contents/MacOS/Python
#
# An example hgweb CGI script, edit as necessary
# See also http://mercurial.selenic.com/wiki/PublishingRepositories
# Path to repo or hgweb config to serve (see 'hg help hgweb')
config = "/var/depot/hgweb.config"
from mercurial import demandimport; demandimport.enable()
from mercurial.hgweb import hgweb, wsgicgi
application = hgweb(config)
wsgicgi.launch(application)

4) Create hgweb.config

[collections]
/var/depot/repos = /var/depot/repos

5) Create the hgwebdir.cgi file, and again update the python path:

#!/opt/local/Library/Frameworks/Python.framework/Versions/2.7/Resources/Python.app/Contents/MacOS/Python
#
# An example CGI script to export multiple hgweb repos, edit as necessary
# enable importing on demand to reduce startup time
from mercurial import demandimport; demandimport.enable()
from mercurial.hgweb.hgwebdir_mod import hgwebdir
import mercurial.hgweb.wsgicgi as wsgicgi
application = hgwebdir('hgweb.config')
wsgicgi.launch(application)

6) Create the users file to allow people to submit to your repo. I created the username mike. Repeat for all users you need:

$ htpasswd -m hgusers mike

7) To setup Apache and SSL you need to do a few things. I am assuming you already have Apache started. To make the needed changes, open /etc/apache2/httpd.conf. Make sure the following modules are included (some additional config is necessary if you want your webroot to run out of the user dirs… I put mine in /var/www/ so I skip those steps):

LoadModule authz_core_module libexec/apache2/mod_authz_core.so
LoadModule authz_host_module libexec/apache2/mod_authz_host.so
LoadModule cgi_module libexec/apache2/mod_cgi.so
LoadModule userdir_module libexec/apache2/mod_userdir.so

8) In the <directory> directive for your web root, make sure after “Options” you have “ExecCGI”. Mine looks like this:

Options FollowSymLinks Multiviews ExecCGI

9) Also in that same directive, add a handler for CGI:

AddHandler cgi-script .cgi

10) Finally, make sure near the bottom the following line is uncommented:

Include /private/etc/apache2/extra/httpd-ssl.conf

11) Save that file. One more step to setup Mercurial, then we can configure the SSL certificate and a few other things. Create and open this file: /etc/apache2/other/httpd-hg.conf

ScriptAlias /hg "/var/depot/hgweb.cgi"
<Location /hg>
Options ExecCGI
Order allow,deny
Allow from all
AuthType Basic
AuthName "Your Authentication Prompt Message Goes Here"
AuthUserFile /var/depot/hgusers
Require valid-user
</Location>

12) Now to configure the SSL certificate return to the /etc/apache2/ directory and do the following. This will create a private key, a signing request, and finally a usable (non password locked) public key:

$ openssl genrsa -des3 -out server.key 1024
$ openssl req -new -key server.key -out server.csr
$ cp server.key server.key.orig
$ openssl rsa -in server.key.orig -out server.key
$ openssl x509 -req -days 365 -in server.csr -signkey server.key -out server.crt

13) Now setup Apache to use the certificate you just setup. Edit /etc/apache2/extra/httpd-ssl.conf, and make sure the following are uncommented and pointing to the files we just setup:

SSLEngine on
SSLProtocol all -SSLv2
SSLCipherSuite HIGH:MEDIUM:!aNULL:!MD5
SSLCertificateFile '/private/etc/apache2/server.crt'
SSLCertificateKeyFile '/private/etc/apache2/server.key'

14) Ok that is the bulk of the server setup. Now we can configure a repository and try setup our user (mike). Let’s first create a quick repository to use.

$ cd /var/depot/repos
$ sudo mkdir example; cd example
$ sudo hg init

15) This is a quirk that seems to be necessary for Yosemite only. Go into the freshly created .hg directory inside this repo, and create an hgrc file.

$ cd /var/depot/repos/example/.hg
$ sudo nano hgrc

Enter the following:

[web]
allow_push = *

Now make sure this whole directory is owned by _www;
$ cd ../../
$ sudo chown -R _www:_www example

16) Nearly there. Restart apache, and make sure a few things are working.

$ apachectl restart

17) If you have a problem, try apachectl configtest. Now visit https://localhost/hg. It will alert you of a certificate error, again because the cert is self signed, but you can select to trust it. Then it should ask you to login using the name and password we created in step 6. You should be able to get in and see the example repository.

18) The last piece of configuration we need is for the user that will be cloning/pulling/pushing from the command line. Go to your home directory and create an .hgrc file with the following content:

[auth]
default.prefix = https://localhost/hg/
default.username = mike
default.password = <>
default.schemes = https
[ui]
username = mike <[email protected]>
[web]
cacerts = /etc/apache2/server.crt
allow_push = *
push_ssl = true
description = localhost/hg
[hostfingerprints]

19) This won’t work quite yet because our SSL cert is self signed, which will fail most security checks. We can fix this — go to your webroot (/var/www in my case) and follow these steps.

$ hg clone https://localhost/hg/example
$ cd example
$ touch test
$ hg addrem; hg ci -m testing; hg push

This is going to fail with a message something like this:

(configure hostfingerprint XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX or use --insecure to connect insecurely)

20) Copy all the numbers for the fingerprint above, and paste that into your ~/.hgrc file in the [hostfingerprints] section we left blank above:

[hostfingerprints]
localhost = XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX:XX

21) You are done! Mercurial works, the web utility works, and SSL works.

Throw back to 2003

One of my many neuroses is an OCD-like organizing of my computer files, separated by year. I happened to be browsing some of the old folders, in this case from 2003, and I stumbled across this short I had written for a high school english assignment. I found it interesting enough to post. #throwbackthursday.

* * *

I remember the thunder and the rain hammering the roof like an invading army. The creaks and groans of the old wood like nearby battle cries. The windows blocked out the chill air, but were unable to stymie the darkness, which flowed in thick as smoke. The swaying, flickering, light cast by an overhead chandelier sent our huddled shadows dancing across the walls. I remember watching them move, as if they were strangers circling us, preparing to close in. Unbroken by the fearful barking of a dog forgotten outside, or the screech of tires as somebody rushed home, the hypnotizing rhythm of the rain and thunder threatened to consume the four of us entirely. We were usually talkative when we were together, but this evening we all sat silently, as if we somehow anticipated the moment that was about to arrive. What I don’t remember is what we did earlier in the day, or how we arrived in that room on that dark night. Nor can I resolve precisely what came after. That night exists for me only as the exaggerated minutes that preceded her confession.

Emi was looking particularly glazed; I suppose I should have recognized the slight frown on the edges of her mouth and her vacant eyes, and known something was very wrong. Regardless, we would all soon find out. Somewhere outside, lost in the darkness, a tree must have fallen. We all jumped when we heard the crash. I looked from Karen to Sarah, and from Sarah to Emi. It was in this moment as Emi’s expression was thrown into harsh relief, the darkness momentarily suspended by a burst of brightest blue, that I saw written on her face what I had failed to see before. I remember Sarah asked her if everything was all right, but Emi didn’t answer. The rain crashed down harder than ever, and the street lights outside flashed angrily and went out. Perhaps it was because she had planned to tell us, or perhaps something in the darkness of this desolate evening resonated with the weight upon her heart. I can’t say for sure, but I remember her eyes locked to mine, and there was a look of watery supplication I had never seen before. And a darkness, even darker than the cold air that surrounded us. Remembering the emptiness in those eyes still makes me shiver. She had stiffened and started speaking. At first her voice seemed stuck in her throat, but it finally found its courage, and she said she had to tell us something. She hesitated, and I found myself wishing she would not continue, but it was only a moments pause before she did. I have forgotten her exact words, but I remember the images her words summoned as if they were burned into my mind’s eye.

She told us how her boyfriend had called her to his house on that stormy night the previous weekend. Intent upon surprising him, she had arrived early, only to find a surprise of her own: he was there with another girl, sending her out into the cold after a loving embrace, then gesturing for her to depart before Emi arrived. There was a pause in her story, but none of us responded. Her words didn’t seem to settle, rather they hovered uncomfortably in the air between us, the darkness all around them. Emi explained that she had confronted him, and in her temper, she had taken his gun from his study and turned it on him. Apparently they struggled, and as he tried to fight her off, he cut her arm with a kitchen knife. Emi rolled up her sleeve and showed us. A flash of lightning timed itself dramatically and illuminated a jagged swollen cut across her forearm. Karen put her hands over her mouth and made a whimpering sound. Sarah looked like she was crying. I didn’t know what to think. But the rain hammered on, so I just sat and listened. The details are lost… I do not know if I’ve blocked them, or if she never told us, but as the struggle escalated, she shot him. At this point she was trembling all over, and her voice trailed off. So there it was: my best friend had killed someone. With a seeming crescendo, thunder erupted directly overhead and as the lightening retreated, the darkness was set free. But suddenly the darkness did not feel oppressive, it felt like a void. We were no longer surrounded, instead we were isolated afloat in nothingness, our senses paralyzed and blank. Sarah sat perfectly still, dim and distant lights glistening on her wide eyes. Karen turned to me but was unable to speak.

Something else was different between us now. The emptiness was leaking into my body from the surrounding void. I felt scared and lost; I didn’t know what to do. Karen asked Emi if she had called the police. Fighting to maintain her composure, Emi merely shook her head but did not speak. The thoughtful silence returned, and we all sat still, now four strangers in the dark. I saw the glimmer of silent tears running down Emi’s face when she sniffled. She had killed someone. Was she now a different person? Was I? I remember a part of me wanted to comfort her, but another part held me back. I saw Karen, too, looking at her differently. Sarah was looking the other way. The void was growing larger, a separation between us four as we sat there in the darkness, the blood from this dark secret seeping through us.

I don’t think any of us spoke for the rest of the evening; there was nothing to say. I don’t know if I was different or if Emi was different. It was a strange thing, that the actions of a few moments of emotion could change everything for her and for us. A few days later I believe Sarah tipped the police, and Emi was arrested. It’s funny how finite the world is. One moment things seem static: boundaries seem clear and reality is well defined. But then in the time it takes for rain to descend, a moments darkness changes everything. Sometimes I am able to feel bad for her, or at least for the person I knew and cared about before that night. I never found out if she was the same person. If the person I thought I knew was a lie, or if the darkness was never a part of her, but merely exploited her in a moment of weakness. Is evil real, or are we all arbitrary victims of inscrutable circumstance and inexorable darkness?

Mediums are full of it

I got drawn into a discussion the other day about whether of not mediums really could talk to dead people. My conversational opponent had a few anecdotal accounts which, they claimed, resisted any other explanation. “How could she have known about her Grandmother?” As I reflected on the matter, I found it easiest to refute the existence of true mediums by simply imagining what the world would be like if mediums really could talk to the dead.

Let’s Pretend

Let’s just imagine how amazing it would be if someone actually could communicate with dead people. First of all, mediums would be star witnesses in courtrooms around the world. Victims of murders, accidents, and all sorts of sticky situations could come to give their own accounts of what happened. Specific details of how crimes unfolded would be readily available, if only we could ask the victims who were there. Think how famous trials such as OJ Simpson, Casey Anthony, or Jodi Arias could have changed with testimony from the victims.

In addition to trials, police investigations would be powered by medium resonances everywhere. Mysterious circumstances like the death of Heath Ledger, or disappearance of Jimmy Hoffa, would be easily solved. Reports given by these medium interactions could be easily validated and confirmed beyond any reasonable doubt.

Historians and mediums would go hand-in-hand. What better way to solve mysteries, find lost treasures, and understand the way of past cultures than to speak to them directly? Historians would have way to find artifacts and receive detailed explanations of how they worked. Ancient languages could be studied through these interactions, and even learned. Eye-witness accounts to all sorts of amazing historical events could be summoned easily and documented, compared to archaeological evidences, and verified.

No wedding or funeral would be complete without mediums present to allow loved ones to stand in attendance. Funerals would be lifted by highly-personalized goodbyes from the actual dead person to their bereaved family. Lost grandparents, parents, or brothers and sisters could attend weddings and other important family events, delivering their own speeches and touching reflections through the medium.

And of course, by now we would have amazingly detailed accounts of what “the other side” is really like. What does it mean to die, and what is the afterlife these spirits occupy? Any resonance from the other world would be able to give details and information, any of which would be absolute gold.

The Most Important Career

It seems that almost no avenue of human life would be complete without access to the dead. Politicians could consult famous predecessors, military ground troops could use intelligence from captured and killed comrades, scientists and mathematicians could consult long lost personalities for insight (Fermat’s last theorem, for instance). Religious groups could actually commune with their ancient prophets and influential thinkers.

If medium accounts could be confirmed, as would be easy to do in any of the above examples if their talent was genuine, then mediums would be the most important and the most valuable members of any human society.

It seems strange they are instead relegated to sideshows in vegas, and rely on silly anecdotes and small shapeless stories to establish their veracity.

Or maybe, they just aren’t real.

What Came First: Chicken or the Egg?

I do not mean this as a metaphor or allegory. I mean it literally, because I have never understood why this paradox remains unsolved. Is not the answer is obvious?

The EGG.

Chickens have been around for about 12,000 years, and eggs predate their species by hundreds of millions of years. Eggs existed way before there was anything like a chicken.

That is not what we meant…

Perhaps you mean, “what came first, the chicken or the chicken-egg?”

In that case, I suppose it is slightly more confusing, but still easy to answer with a little insight from evolutionary biology:

The CHICKEN.

We know a thing or two about how mutation occurs in species: during the early formation of the embryo, as chromosomes are copied from the mother’s egg and the father’s sperm, errors can occur resulting in genetic mutations, or evolutions. Although the transitional lineage of animals is perfectly smooth, for the sake of argument we can suppose there is a genetic definition of what constitutes “a chicken” as compared to a “pre-chicken.”

Clearly, then, it must be within the egg of a pre-chicken that the first chicken formed, the result of an accidental mutation in copying its pre-chicken parent genes. This first chicken emerges from its pre-chicken egg, and eventually comes to lay the very first chicken egg. Thus, the chicken came before the chicken egg.

Of course this whole rant is pointless, the paradox is not meant to be literally examined. It is a silly way of saying, “a circle as no beginning.” But still, for the pedantic nerds among us, the matter is settled. Boom: headshot.

Dumbledore was kind of a dick

I know the Harry Potter train is so long gone, most of us can’t even see the back of it.  An unexpected series of events, however, lead me to recall and old frustration I had with this impressive character, so I figured a short rant was in order.

Recall the Story

Near the end of the fourth book, there was a crucial moment between Harry and Dumbledore, one that caused much speculation when the text was first published.  Harry returns from the graveyard, tortured and beaten, having witnessed the rebirth of the Dark Lord.  As he recounts the tale for Sirius and Dumbledore, he tells them that his own blood was used in the regeneration.  At that moment there is a “look of triumph” on Dumbledore’s face, but he makes no further comment.

Dumbledore

It is not until the finale sequence of the series that we discover what information Dumbledore gleaned at that moment, that evaded the rest of us: upon taking in Harry’s blood into himself, Voldemort “re-doubled the connection between them,” and ensured that his living body kept Harry’s mother’s sacrifice alive.  This double connection ensured that, when Voldemort fired the killing curse at Harry in that lonely forest in book 7, Harry did not die.  The unintentional 7th horcrux that had lived inside him was blasted away, but Voldemort’s living body ensured that Harry would survive again.  So he did.

The Greater Good

Nobody seems to call attention to what this admission really means.  Had Voldemort not used Harry’s blood, the killing curse would have finished the full job: Harry and the 7th horcrux would be gone.

But wait right there.  Are we to suppose that Dumbledore anticipated this sequence of events?  Had he known 13 years earlier as he laid out his “plan” for Harry’s protection, that this double-bond would eventually be formed?  It seems not, from the triumphant look he lets slip in the fourth book.  The meaning of this is simple: for the first 13 years of Harry’s life, Dumbledore’s full intention was to train him up, and send him to die, just like he told Snape.  He never meant for Harry to survive, because as long as he did, Voldemort’s immorality was ensured.  He planned to one day sacrifice Harry for the greater good, a motivation that had lead him astray even in his youth.

It seems to be serendipitous that his plan was able to manage a last-minute rewrite, and for the last three books only, was the possibility of Harry’s survival even an option.

Poor Severus

Another victim to run afoul of Dumbledore’s plans for the greater good is the tragic double-agent Snape.  We discover in the dreamy-rendition of King’s Cross, as Harry encounters Dumbledore, that it was part of his plan all along for the elder wand to fall to Snape’s hands.

The plan would have meant the elder wand lost its great (and terrible) power: having never been really defeated (Dumbledore’s murder having been pre-arranged and even pleaded for), Dumbledore’s old wand would have seized to be the elder wand, and become merely a wand like any other.

It seems unfathomable, however, that Dumbledore would not have understood the implications of this decision.  Indeed he shows every sign of guilt in the story for Snape dying in the manner he did.  Voldemort was inevitably going to seek out Snape to claim the wand as his own.  Once again, Dumbledore was more concerned with servicing the greater good: terminating the power of a deadly object.  This was a much greater priority for him than the inevitable horror it would summon upon his supposed friend.  The backfire in the plan was only that Malfoy ended up as the owner of the wand, and therefore its powers were not broken.  This was not enough to save Snape, although it does not seem like saving him was every Dumbledore’s purpose.

The Bottom Line

The books and character accounts make it clear that Dumbledore is supposed to be a character of immense good, and his darker undertones are portrayed only as fleeting traits from his youth, and sore but benign temptations for power, all of which he was able to keep in check nearly all of his adult life.

This polished account seems to glosses over the sticky fact that Dumbledore actually remained dedicated to the greater good, at the expense of many other characters, throughout the novel.  In my mind, this makes him much more like the other “imperfect heros” of the story, from the obvious Snape who is evil as well as loyal — or Ron, who abandons his friends — or even Harry himself, who was drawn to the dark arts twice, in books 5 and 7 (not counting an unintentional third time in book 6).  These other imperfect heros stumble through their role, combating their personality and passions.  Dumbledore is of a different mold, because his wickedness is as premeditated as they come, and his lies more tightly wrapped still.

Or, in a sentence, Dumbledore was kind of a dick.

How to regain access to your FiOS router

Forgot your FiOS router password?

I stumbled across this one recently, and figured I would share my results.  I forgot my password to my router, and had to change some settings — facing the prospect of a factory reset, I spent some time digging.

If you are locked out of your FiOS router, give this a try:

  • Navigate to your router: 192.168.1.1
  • Notice the query string varible: active_page=9091

Whoever designed the web interface on these things make a bunch of rookie mistakes, which we can leverage to gain access.

Change the URL slightly to tell the router to serve you a different page (ID 9090 in this case):

http://192.168.1.1/index.cgi?active_page=9090&req%5fmode=0

fios interface

The router now serves up it’s “login setup” page.  You are free to reset your password without ever providing your current one.  Major security hole? Yes.  Can this be done from outside? I haven’t tried it… But probably.

In any case, you now have your router back in your control!

String Theory (2007 paper)

This post comes from an independent study term paper I wrote in 2007 as an undergraduate, on the need for a new physical theory, the emergence of String Theory, an examination of the theory’s development, and an assessment of the future of string theory.

Introduction

The scientific process has a long-standing history of theoretical investigation, followed by experimental verification.  Since the time of Newton, science has been represented through mathematical representations of measurable events.  This is a very comfortable and reasonable approach to science: the models we use are empirically known to work, so we know we can trust the predictions they make about reality.  For the past 40 years, science has straddled the verge of a new threshold (or at least a new trend): some modern theories are so completely theoretical that there is no experimental evidence against which to test them.  These theories are instead considered “valid” because their theoretical structure is in agreement with a number of conceptual ideas, such as elegance, unification, and symmetry.  A serious question in modern science is how to treat these kinds of theories: how much commitment should we give them? How do we know when we are on to something and when we are going awry?

Super-symmetric string theory (string theory from here on) is a prime example of an entirely theoretical construct that has, in addition to devouring the careers of thousands of scientists over the last 45 years, gained increasing support despite the complete lack of any experimental verification.  The appeal of the theory is not a secret: by allowing for subtle and creative modifications of our definition of particles, string theory stands poised to completely redefine our understanding of reality in a single swoop.  It claims able to unify all of the forced of nature, as well as the particle, to explain all of the fundamental constants in nature, and to identify why the laws of physics we observe are the way they are.  However, development of the theory has not come without its roadblocks.  In fact, after decades of roadblocks, a reasonable question to consider is: might string theory be nothing more than a clever mathematical construction that actually has nothing to say about reality?  Is the theory being kept alive simply because of its appeal as a potential theory of everything?  These are not questions that have clear answers, so the best approach is probably to consider the potential string theory has to offer, and weight it against the cost of accepting the theory.  Before developing a discussion of String Theory, it is necessary to take a step back and discuss modern physics,
as it sits today.

The State of Modern Physics

Modern physics refers to the set of principles and formulations that were refined and finalized during the twentieth century, including Einstein’s general relativity, the standard model of particle physics, and quantum mechanics.  Many other developments emerged, and many older ideas were reinforced.  In the mid 1900’s, physics appeared to have almost finished its job of explaining how everything works.  General relativity was confirmed beyond a doubt, and it provided an especially clean description of how gravity and acceleration affect space-time.  Quantum mechanics continues to be one of the most accurate theories ever constructed: it’s alarming predictions have never been wrong, and have never failed to explain an observed phenomena.  Lastly, the standard model contains all of the experimentally observed particles, and completely details their properties and families.  Essentially every prediction made by the standard model about the subatomic regime has been verified down to about 10-12 meters.  Despite the success of these three major pillars of modern physics, there are problems lurking beneath them all.

Despite the success of the standard model (for example) it cannot be a complete theory because it does not include gravity.    It requires 19 constant parameters that describe the forces and particles in the model, but it offers no explanation as to why these parameters take the values they do – they are strictly experimentally determined values.  In physics, constants are generally used to blanket over phenomena that we do not understand.  A complete theory would take a single parameter, and all other ‘constants’ would be derived from basic principles.  Furthermore, the model does not explain what any of the 61 particles it lists are… any any attempt we make creates problems.  For example, if we decide to treat particles as solid balls, we quickly run into relativity issues: imagine exposing the ball to some force and causing it to move.  If it were perfectly rigid, all parts of the ball would have to begin moving at once, even before the force reached all parts of the ball.  This kind of faster-than-light communication is not allowed.  Similar issues arise if we consider the ball to be soft or to contain substructure.  The worse issues arrive when we treat particles as points: quantum mechanics predicts that a point particle should be surrounded by a cloud of infinite energy arising from virtual particles.  Additionally, if we consider a graviton colliding with any other massive particle, if the two are points then the gravitational force should instantly go to infinity as the distance separating them goes to zero.  Lastly in terms of the standard model, there are missing particles: there are no candidates for dark matter – a nonluminous material that is believed to exist in huge quantities in the galaxy.  Also, there are no super-partner particles, which are believed to exist from symmetry arguments.

Quantum mechanics and general relativity, while alarmingly successful within their own domain, are completely incompatible with one another.  The two theories have a different background dependence, namely in the limit as a distance ∆x goes to zero, general relativity requires space to be completely smooth, flat, and continuous.  Quantum mechanics, however, disagrees.  On the same limit, as ∆x→0 uncertainty dictates that the contour of space-time become violently frothing and discontinuous (a phenomena called quantum foam).  The two theories require that space-time behave differently, but space-time cannot be both smooth and discontinuous.  Presently, there is no quantum treatment of gravity, and no convincing way to merge these two major theories.  When it became clear that the problems lurking beneath physics were not easily solved, people began searching for anything that had the creativity necessary to offer a possible solution.  String theory emerged as a candidate almost 40 years ago, and has gained tremendous support since.

String Theory Emerges

String theory has surfaced as a prominent contender to resolve the conflict between relativity and quantum mechanics, and to patch the gaps in the standard model.  In addition to this feat, and part of the reason for the attraction of the theory, string theory claims to be able to unify all of the forces of nature, as well as all of the particles.  The fundamental idea behind string theory is that particles are actually tiny vibrating filaments (strings) which are themselves fundamental.  While they have a finite size, it is 20 orders of magnitude smaller than an atomic nucleus, in the order of the plank length, and held at a tension of nearly 1039 tons.  The strings are free to vibrate along their length in a number of patterns (like music notes).  The pattern of vibration dictates the properties of the particle.  For example, the higher the vibration, the more energy in the string – and from Einstein, the more energy in the string this higher the mass of the particle it describes.  Proceeding in a similar method, the charge, spin, and strength of force (for force carriers) is determined from the vibration pattern the string undergoes.  We find that one pattern matches the properties of a photon, another the gluon, and another the graviton.

The equations of string theory define how strings should interact and scatter, and it does so with a single parameter: the coupling constant.  String theory as it is currently proposed requires only 2 parameters, one of which we expect to derive eventually: the first is the coupling constant which represents the tension on the string.  The second is the geometry configuration, taken as a background to the theory.  String theorists believe that this background can be derived, although they have not been successful doing it.  Also, string theory predicts gravity in a way no other theory does in that gravitation and general relativity emerge naturally from the theory.  There is a required closed-string configuration in the theory that corresponds to a zero-mass, spin-2 graviton.  Furthermore, the theory offers an reasonable explanation of why gravity is substantially weaker than the other forces.

String theory would not be of any value if it suffered from the same incompatibilities as the theories it is seeking to replace.  Fortunately, it does not, and it offers several clever resolutions to the issues in modern physics.  String theory resolves the issues with the standard model, for example, by replacing it: solving the allowed resonant patterns of the strings gives rise to all of the particles in existence, and theoretical properties.  This includes the graviton and a number of candidates for dark matter.  String theory also explains the relative strengths of the forces, namely why gravity is so weak.  There are also a number of interesting problems that string theory may provideinsight into, including why there are three particle families, and why and how they decay.

Some of the issues between general relativity and quantum mechanics are corrected simply by virtue of the fact that strings are spatially extended objects.  Point particles can penetrate infinitesimally small distances, so if a mismatch in definitions arises over those small distances between general relativity and quantum mechanics, we expect that they have to deal with it.  String theory resolves this issue in a clever (albeit simple) way: because strings are extended objects, it becomes meaningless to discuss distances that are smaller than they are.  That is, distance scales that are smaller than the strings cannot affect the physics or interactions of strings or of anything made of strings.  In this way, strings avoid the inconsistencies that arise in the theory at extremely small distances (smaller than the plank length) by saying the inconsistence arises from our misunderstanding of reality, rather than from the theories themselves.  More specifically, string interactions do not occur at points; because they are extended objects, observers in different frames of reference cannot agree in an exact location that an interaction took place (they could if the interaction was between point particles).  In a sense, the point of interaction is smeared out over space-time in such a way that phenomena at points in space (quantum foam) do not come into play.

Getting Off the Ground

The first hint of what would one day become string theory came in 1968 while Gabriele Veneziano was studying the strong nuclear force at CERN.  Completely by chance, he observer that a function called Euler’s beta-function seemed to describe a number of the strong force properties.  Nobody understood why this would be and it was left a mystery.  Then in 1970, Nielson & Nambu realized that if particles were treated like strings, the resulting vibration (governed by the beta-function) described the strong force exactly.  This earliest form of string theory was called Bosonic string theory, and it suffered from a number of problems.  The most prominent is that it did not include any fermions; additionally, it predicted a number of particles we do not see, including particles with imaginary mass called tachyons.  Furthermore, it produced negative probabilities with quantum mechanics (which does not make any sense as the domain of probability is from 0 to 1).  In 1971, Pierre Ramond of the University of Florida started incorporating super symmetry; by 1973, string theory was modified to include super-symmetry, and became what is called super-string theory.  And then in 1974, Schwarz & Scherk realize that one of the extra particles from the theory matched with the expected configuration of the graviton, meaning string theory might be a doorway to quantum gravity.  These results and others got very little attention from anyone outside the scientific community.

After almost a half-decade of work, theorists finally resolved the negative probabilities that were spilling out of even basic quantum mechanics calculations.  Theorists realized that by adding degrees of freedom to vibrating strings, the negative probabilities canceled out.  The community shifted to accept that there may be more “hidden” dimensions in our universe. Despite the growing potential to solve so many problems, the failure to show any real signs of delivering on its promise kept many scientists away for the early years of string theory.  In 1984, Green and Schwarz emerged and announced that string theory could explain all four forces of nature, as well as each of the particles of the standard model.  This was the first time this suspicion was confirmed that string theory actually did unify nature, and the announcement created the explosion they had expected ten years before when they first announced the presence of the graviton in string theory.  Almost overnight, everybody dropped what they were doing to investigate string theory.  The years of 1984 to 1986 are known as the first string revolution, and are marked by multiple daily publications from scientists all over the world; it turned out string theory naturally predicted many aspects to the standard model that had taken years to derive independently.

A Multiplicity of String Theories

While string theory has many benefits to offer, accepting the theory would come at a very high price.  In the present form of the theory, it requires our universe to exist in 10 space dimensions, and one time dimension – 11 dimensions total at each point in space.  It turned out the strings needed nine space dimensions in which to vibrate in order to produce valid results, specifically three extended dimensions, six or seven “hidden” dimensions, and one time dimension.  This is very odd because we are only aware of three independent ‘directions’ of motion, so where are the rest the theory requires?  There are still a number of extra particles not accounted for, such as the superpartner particles, which should have the same mass as their partners.  It also allows for what is called fractionally charged particles, another phenomena that we do not ever see in reality.  Lastly, string theory has a string configuration that seems to correspond to a fifth force, which in the absence of any such force is very troubling.

While super-symmetry resolved many of the issues with the Bosonic string theory, it introduced a number of issues of its own.  Particularly, there is more than one way symmetry can be worked into the theory: depending on how one groups what are called symmetry generators, and on how one defines the “boundary conditions”, five different theories emerge.  They each share the common attributes of a string theory, but on the specifics they differ substantially.  Potential of the theory aside, why would there be multiple flavors of string theory?  How does it make sense for a grand unifying theory to not exist alone?  It was not clear which, if any, were correct – and without the ability to solve specific calculations in each theory, there was no clear way to isolate one over another.  The five theories are called: Type I, Type IIA, Type IIB, Heterotic E8xE8, and Heterotic O(32).

Each flavor has several basic features in common: they each require 10 dimensions of space-time (and accept the same geometric configurations).  They each produce a set of massless states including the spin-2 graviton, and many massive states of the order 1019 GeV.  There are a number of differences however: in Type II A, strings are permitted to vibrate in only one direction (clockwise or counter-clockwise), and they all vibrate in that one direction.  Type IIB allow strings to vibrate in both a clockwise direction and a counter-clockwise direction.  Type I looks a lot like Type IIA except it allows for open-string configurations.  The Heterotic theories both have clockwise vibrations that look like Type IIA/B, but also counter-clockwise vibrations that are akin to Bosonic string theory.  In Bosonic string theory, there are 26 dimensions of freedom, 16 of which are curled into one of two donut shapes – depending with of the two donuts you use, Heterotic O(32) or Heterotic E8xE8 emerges.  There are some specific terms used to define a string theory, including “world-sheet”, which described the path swept over time by a string in motion.  Following is a description of what exactly changes from theory to theory.

Type II: The world-sheet in this formulation is a free-field theory containing 8-scalar fields (corresponding to 8 transverse directions in a 9 dimensional space), and 8-majorana fermions.  All scalar fields satisfy periodic boundary conditions, which can be either periodic or anti-periodic (clockwise or counter-clockwise); these are called Ramond (R) and Neveu-Schwarz (NS) respectively.  The definition of the ground state gives us a choice of boundary condition using either one or the other; this produces the two subsets of Type II theory: Type IIB (chiral n=2) and Type IIA (non-chiral n=2).

Heterotic: The world-sheet of this formulation consists of 8-scalar fields and 8 right-moving majorana fermions, and 32 left-moving majorana fermions.  The major difference between the Heterotic theories and the Type II theories is that in Heterotic theories, Bosonic states arise from an NS boundary condition on right-moving fermions and fermionic states arise from an R boundary condition on right-moving fermions.  This leaves two choices for the left-moving boundary conditions which gives rise to two more theories: SO(32) requires all 32 left-moving states are one of periodic or anti-periodic – not a combination of both.  Alternately, E8xE8 groups the 32 states into 16, and allows the groups to have either boundary condition, allowing for a combination of periodic and anti-periodic.

Type I: The world-sheet in this formulation is identical to that of Type IIB except that it has a parity transformation invariance, and it incorporates open string configurations

Following the first super-string revolution, the details of these 5 theories were investigated as thoroughly as possible – but as before, the mathematics quickly became insurmountable.  Approximate equations gave each theory the appearance that they described different universes each… so which one was ours, and who belonged to the others?  Further complicating the math of string theory was the background dependence o the theory: the physics predicted by each theory depends on the shape of the dimensions that the stings occupy, specifically the compacted extra dimensions.  This is because it is strictly string vibrations that determine particle properties, and vibration patterns are heavily influenced by the surface they reside on.  There are several classes of shapes that produced the desired physics, including Calabi-Yau manifolds.  Studies into the relationship between string vibrations and the shape of the geometry began to offer insight into the standard model: geometry explained why there were families of particles.  Sometimes a geometry can have something like a “hole” in some of its dimensions, allowing strings to wrap through the hole.  The number of holes (and therefore the number of unique string orientations on the surface), creates the families of lowest-energy particles we see.  A fair amount can be deduced from knowing the general properties of the geometry, but if we knew the exact shape, it would tell us a great deal more.  Once again, the mathematics makes any sensible derivation impossible.

What exactly is the nature of the mathematics that prevents us from making headway?  It is because string theory is analyzed using perturbation.  With perturbation, you essentially approximate and get a rough answer – then you refine your answer by including more and more details that were initially omitted.  This assumes the initial estimate is good, and the overlooked details converge to zero overall.  This is sometimes the case, for example if you look at the orbit of the Earth around the Sun, a first approximation would be to ignore all other influences.  Then, to refine the approximation, you could account for the other planets, the debris in the path, the electromagnetic forces at work, etc.  Each of this modifications is almost negligible.  However, there are configurations where perturbation does not work well.  Imagine a gravitational system of 3 large objects.  In a first-order approximation you might ignore one entirely to get an approximate effect of just the two.  When you then add in the third, it will produce a substantial change, not a refinement.  These situations are analogous to the situation in string theory.

All of the equations explicitly allow that at a point of interaction between two strings, an arbitrary number of string / anti-string pairs may appear and annihilate before the resulting strings scatter off.  An interaction can produce a virtual pair which then annihilate, and may produce an additional virtual pair, etc., until the final strings emerge and scatter.  An exact calculation requires us to look at the contribution to the final solution of a string interaction plus a string interaction with 1 virtual loop, plus a string interaction with 2,3,4…infinite loops.  Like in the planet example, if we assume each additional loop contributes less to the overall solution, we can safely ignore the higher numbers.  However, if it is not a decreasing contribution – or worse if it is an increasing contribution – then the math, by its very nature, will be useless.

The coupling constant in string theory defines the likelihood of strings splitting into virtual pairs during an interaction.  This constant has some freedom in what values it might take, and we don’t know exactly what value to use.  Generally, when the coupling constant c is less than 1, perturbation works (increasing number of virtual loops contribute less and less to a final solution).  However, if c > 1 the opposite is true and perturbation fails dismally.  Currently the string equations tell us only that the coupling constant satisfies a relation: 0 . c = 0.  Of course this is useless, because ‘c’ can take any value, and there is no way to tell if it is greater than or less than one.  The initial burst of excitement surrounding string theory began to wane, and the momentum and support evaporated.  It was too difficult to make any serious progress because of mathematical limitations.  The first string revolution came to a dead halt by 1986, and nearly everybody abandoned string theory once more.

The Second Super-string Revolution

String theory sat on the back-burner for another decade until in 1995 when Edward Witten initiated what is now called the second super-string revolution.  Witten identified a set of dualities that essentially allowed him to transform one string theory into another.  He suggested that all of the string theories might in fact be reduced forms of a larger 11-dimensional theory he called M-Theory.  Additionally he demonstrated for the first time a non-perturbative approach to solving some string theory calculations.  Witten found that the weakly-coupled description of any of the 5 string theories (c < 1, where perturbation works) has a duality with the strongly-coupled definition of another string theory (c > 1, where perturbation does not work).  This means when you need to perform a calculation that is beyond the range of perturbation, you transform into a different string theory’s weakly-coupled definition and perform the calculation there.  This was a stunning and brilliant breakthrough, and it caused a storm much like the one a decade earlier.  Physicist dropped what they were doing to begin to reconsider string theory, with the hopes of uncovering the secrets to the mysterious M-Theory.

ST_mtheory

Depiction of the relationship between the 5 string theories, and the M-Theory.
Only a few duality lines are drawn; many more exist.

M-Theory has 1,2, 3, and up to 9 dimensional fundamental objects, not just strings, but the energy of the various objects ensures we are only likely to encounter strings.  As the coupling constant gets larger, a “string” seems to becomes either an extruded string, or a tube (depending on the theory), but adding an extra dimension to the mix either way.  This dimension is one into which a string can extend, but not vibrate, so it does not alter the expected predictions about force unification, etc.  M-Theory in a reduced energy form describes an 11-dimensional super-gravity theory.  Witten made his connections between the different theories by highlighting a number of dualities which use symmetry or transformation arguments to make different subsets of string theory equivalent.  Each string theory is parameterized by a Moduli, which contains the string coupling constant, the shape and size of the space-time dimensions, and the background fields.  Each moduli has a region where the string coupling is low, and a region where it is high.  Dualities often link theories in a chain, rather than just connecting two; this enforces the idea that they are all interconnected.  Also this provides the added benefit of reducing the non-uniqueness of the theories.

ST_mtrel

Relationship between M-Theory and other major theories

One duality that connects the two Heterotic string theories, as well as the two Type II theories is a duality of distances.  This duality comes from the winding mode of a string: the total energy of a string is the sum of its vibration energy, and its “winding number” which basically means, the number of times the string is wound around apiece of space-time.  Notice this wound configuration is meaningless for point particles; strings being extended objects can actually create a closed loop around a curled up piece of space.  If we image such a wrapped string around a cylindrical piece of space that is shrinking, we can illustrate this duality: as the space loop shrinks, the string’s winding energy decreases, but its vibrational energy increases.  Likewise, if the piece of space is expanding, the string’s vibrational energy decreases while its winding energy increases.  It is only the total energy of a string the identifies it’s properties and interactions, not what kind of energy, therefore the physics defined by a string of vibration energy X and winding energy Y acts identically to a string with vibration energy Y and winding energy X.  As these two energies are related to the radius of the string, we find a shrinking string of radius R is exactly equivalent to a growing string of radius R-1.  This in effect eliminates the meaning of sub-plank distances: if an extra dimension were to shrink with a wound string around it, when it reached a size of R^-1 it would be as if the dimension “bounced” and was now growing.  The boundary conditions and physics described on Type IIA string theory with string radius R, for example, are exactly identical to those described on Type IIB string theory if we take the radius as R^-1.

Another duality Witten identified was a T-Duality, which maps the weakly-coupled region of a theory to the weakly-coupled region in another theory.  This does not improve our mathematics, but provides insight that the theories are interconnected in several ways.  An example of this kind of connection is the Type IIB theory in 10 dimensions, which is self-dual.  Also Type IIA on a circle of radius R has a T-duality to Type IIB on a circle of radius R-1.  Witten provided strong evidence for his dualities making use of “non re-normalized” quantities that emerge from symmetry but are independent of the coupling; these are referred to as BPS states.

M-Theory is considered by some to be the ultimate unifying theory of everything, and by others to be a mathematical curiosity with little relevance to the real world.  Regardless, the tools presently do not exist to explore the theory in detail, so its exact nature remains largely unknown.  While Witten and other are sure it exists, nobody has yet written down the equations for it. One of the keys that makes M-Theory special is that it is Lorentz invariant, which implies a compatibility with general relativity.  Other unifying theories exist if we start at a different string theory and use similar logic, including F-Theory, but these other theories suffer the shortcoming of not being Lorentz invariant.  The big question in the string theory community is what will it take to successfully merge the 5 theories into M-Theory?  Of course no answer exists to this, but there are a few areas that would make good starting points.  All string theory, and M-Theory in particular, are background dependent.  It seems only reasonable that a background-independent formulation might shed light on which of the many possible geometries we should choose for our hidden dimensions.  Others have thought of this, but generally the math gets even more complicated when we try to form background independent theories.  What comes next is anyone’s guess.

String Theory Stumbles

Having looked in some detail at the mathematical and physical structure of string theory, it now makes sense to take a step back and consider what string theory really means as a scientific theory.  Many people do not like the theory, and are concerned that it is completely contrived – filled with arbitrary tricks and turns to make it work.  The fact string theory is presently untestable certainly doesn’t help the situation, but is it fair to dismiss the theory purely on the grounds that it cannot be tested?  There is no doubt string theory represents a new kind of science, where prediction about reality can exist completely on its own – without ever being verified.  But without the limitation of checking against reality, it might be too easy for theorist to take the theory too far.  The issue at hand is whether string theory has been contrived or otherwise deliberately engineered, or if the revisions and changes to our understanding are due to our ignorance of the nature of reality.

Every theory in science requires some ‘reverse-engineering’.  Einstein’s general relativity, and even Kepler’s planetary motion suffered from some serious mistakes in their days of conception – changes were made to make the theories reflect observation.  That alone is not an indication that a theoretical construction is invalid.  The first “tweak” applied to string theory was in 1974 when Schwarz & Scherk were considering the extra particles the Bosonic string theory produced.  They realized that if they played with the coupling constant, they could reverse-engineer its value to produce a graviton – which is what they were looking for.  Around this same time, theorists decided to incorporate super-symmetry into the Bosonic string theory which, as we have discussed, suffered from a large number of issues.  While this step seems perfectly reasonable, we can’t ignore the fact that the attempt to merge string theory and super-symmetry was only taken in an attempt to “fix” the many errors it predicted previously.  Even after these two modifications, string theory began to predict negative probabilities, which did not make sense.  Researchers found that if they give the strings more dimensions of freedom in which to vibrate, they can eliminate the negative probabilities.  So again, with no fundamental reason for doing so, they reverse engineered the number of dimensions that the universe must have for the probabilities to work.  The questionable development of the theory did not end there; when string theory hit a dead end because of the multiplicity of theories (5 flavors), the parameters of the theory were tweaked further until Edward Witten found that adding another dimension from 9 to 10 had the potential to unify the flavors and fix some outstanding issues.  He did not develop a proof to show why it should be 10, rather he was trying to find a relationship between what is called “Type IIB” string theory, and “11D Supergravity”.  When he found a relationship, he used it as justification for moving to 11D in string theory as well.  Again, the logic seems perfectly sound, but it represents another change made to fix the theory from drowning under its own errors.

Furthermore, while string theory presents a glamorous façade of grand unification, it actually has very little to tell us as of right now.  The equations of the theories are so complicated that nobody today knows how to calculate so much as a simple interaction between two strings (again a result of the limitations of perturbation which, while lessened by Witten’s discoveries, are still in place).  Despite almost 40 years of effort, and thousands of careers, string theory has not yet provided any of the answers its pursuers hope to answer.  Unfortunately, the magnitude of error we acquire when doing approximate calculations is way to large to check any of the 19 constants against the prediction.  While the theoretical ability to derive them exists, we can’t actually check to see if the equations give us the experimental values.  It turns out the exact equations are required to solve anything that would definitively show the equations are correct or not – and we do not have access to the exact equations.  This prevents us from either eliminating or verifying any of the 5 theories.  Furthermore, nobody has been able to write down the form of the equations for the so-called M-Theory, making it more of a wishfully-inspired theory than a well grounded formulation.

This is a difficult issue to rule on; all theories, as indicated, require a level of reverse engineering – that is how we learn about nature.  We know where we are trying to get, so we use that as a hint to derive the path to get there.  It is hard to tell when this natural process is underway, and when scientists are allowing any modification required just to get a theory to work.  The magnitude of changes string theorists are requiring is very large, but in fairness it is not substantially more abstract than the changes quantum mechanics has required of our understanding.  It turns out there is a school of reasoning that physicists are using to decide if their modifications are acceptable or not, and that has to do with the conceptual ideas about nature that modern scientists agree upon.

Reconsidering the Basis for Theories

Scientists tends to call upon conceptual understandings of “how reality should be” when considering physical theories – these ideas have not been proven, and may not even have any fundamental basis, but they make sense to us and so we try to work them into everything we do.  A prime example of this is conservation of energy.  There is nowhere in physics that the conservation of energy is written, but we observe it to be true, and on many levels it just makes sense.  Another example of a conceptual idea about reality is symmetry.  String theory is firmly grounded in symmetry, and many of the modifications to the theory have been to respect one form of symmetry or another.  Symmetry is a term that describes how similar systems with various transforms evolve.  For example, if I setup two identical systems, and then translate one of them 1 meter to the right, I will expect them to still develop the same.  1 meter to my right is the same as right in front of me; this is an example of translational symmetry.  There are rotational symmetries, parity symmetries, time symmetries, gauge symmetries, and dozens more. There is absolutely no reason why symmetry must be true, but it is something that we really put a lot of faith in, and will select theories based on their adherence to symmetry.

A third example is the idea of mathematical elegance.  This can sometimes take an almost religious meaning, but it basically describes how concisely and cleverly formulated a theoretical model is.  Scientists heavily favor elegance, because seems consistent with the idea that nature is well constructed (something many of us believe), and should therefore be described in a (mathematically) clean way.  Relationships should emerge naturally, and principles should fit together like clockwork.  This kind of thinking has played a huge role in physics; Einstein himself was completely convinced his general relativity was correct, purely on the grounds that its formulation is so beautiful. Why do people put so much weight in these kinds of beliefs?  That is a very difficult question to answer, but at the end of the day we are all humans with feelings and outlooks on reality – we need to satisfy the human element when we work with things like physics.  The human equation is either gifted or condemned (depending on how you look at it) by its need to internalize things, and because of this, ideas that seem well organized to our brain (such as elegance) tend to settle better.

It is not an easy question to identify if some of these ideas that appeal to us only because we are human, or if they appeal to us because they are foundational to nature, and we are built from nature as well.  We can answer the question: are the facts we use at least reasonable, even if not proven?  Returning to the context at hand, are the various revisions made to string theory on the basis of these kind of ideas, revisions that we can trust?  I think it is safe to say yes, they are very reasonable.  String theory is highly promoted because it is such an elegant formulation of reality.  In many ways it is very simple, and almost beautiful, to think of the universe as, “akin to a cosmic symphony” (The Elegant Universe, 146) each playing their own notes, and interacting accordingly.  Things like extra dimensions have their own subtlety that present a certain appeal to the imagination.  And the idea that one theory has all of modern physics bundled into it, seems a little too perfect to be wrong, regardless of the means used to develop the ideas.  Whatever conclusion we draw here, it is with the understanding that only though experimental verification can we ever truly say what is right an wrong.

Verification of String Theory

(Note: This section contains an error.  See my post on calculating N-Spheres for the corrected math)

There is no doubt the history of string theory has not been a smooth one.  Despite the decades of silence, the seemingly insurmountable mathematical issues, and the various revisions to “make the theory work”, it is still a widely adopted theory.  The next question is if we can or ever will be able to verify the theory experimentally.  The sizes of the strings make any direct observation absolutely impossible.  The approximate equations make any prediction and test of a property of a particle impossible.  Instead, modern experiments will look for other attributes that would either speak for or against the likelihood of the theory, although not prove it one way or the other.  If any such evidence is going to arise it will be a CERN, which is scheduled to come online later this year (so we shouldn’t expect it until next summer I am sure…).

One example of an experimental piece of evidence that could be seen is the presence of extra dimensions.  While this would certainly not indicate string theory was correct, it would be a step in that direction.  Considering a Newtonian gravitational system, everyone is familiar with the inverse relationship between the square of the distance, and the strength of the force.  The R^2 term is an implicit statement that there are three physical dimensions in the universe (the gravitational flux divides over the surface of sphere, which is a function of R^2):

ST_form1

Notice in the above equation, S is the surface area of a 3-dimensional sphere (called a 2-sphere).  If string theory is correct and there are six additional dimensions, physicists expect to observe a deviation from the R-2 drop-off of gravity over very small distances (distanced on the size scale of the extra dimensions).  If we calculate the flux through a 9-Sphere (surface around a 10-dimensional sphere), we find:

ST_form2

This calculation uses the following pattern to find the surface of an N-Sphere:

ST_form3
The first integral is the surface of a 0-Sphere, then a 1-Sphere, a 2-Sphere, and a 3-Sphere.  If string theory is correct, we should expect to see the force of gravity obey an R^-9 relationship over very small distances.  So far, the inverse-square relationship has been confirmed down to one-tenth of a centimeter.  The size scale needed to observe a variation would depend on the size of the curled up dimensions, which could be as large as a millimeter, but as small as the plank length.  If the hidden dimensions were much closer to a millimeter, there is a possibility we will observe an inverse-square violation in upcoming years at CERN.  When particles collide at full energy, we may observe a unique phenomena: the particles will collapse into a minuscule black hole, which will then evaporate.  To form a black hole, the strength of gravity would need to by substantially stronger than it is over long distances.  However, if the dimensions are smaller or even close to the plank length, we will never be able to probe small enough to see their effect on gravity.

In addition to the extra dimensions, string theory predicts super-partner particles and fractionally charged particles, neither of which fit in the standard model.  It is possible some of these particles may be created in collisions when CERN comes online.  The LHC at CERN is capable of creating a 20TeV collision, which is much more energy than anything possible today, and may be enough to reveal some of these predicted particles.  If we were to see a fractionally charged particle, or a super-partner, it would be a good argument in favor of string theory.  Unfortunately, many of these particles are expected to be very heavy, and even outside the range of the LHC’s energy.  Experiments will no doubt search for the presence of miniature black holes and super-partners, but to bluntly answer the question posed at the beginning of this section, we will probably never be able to verify string theory directly.  The strings and energies are way to far out of range.

The only prediction made using string theory that has been accepted by the scientific community is in regards to the entropy of black holes.  A major problem in black hole physics that has eluded physicists for nearly 25 years is: what is the source of their enormous entropy?  A black hole is entirely defined by its mass, its spin, and the force charges it carries, so what is there to be in a state of disorder?  String theory provided a framework that was exploited in 1995 to explain how black holes acquire entropy.  No explanation using conventional theories has offered an explanation.  Again, this by no means says string theory is true, but it does represent a vote of confidence that the theory must have something right.

The State of String Theory

The topics presented above regarding the state of string theory are still in hot debate, so there is no correct answer as to where one thing or another falls.  I can, however, provide my personal opinions.  Despite the total lack of evidence and slow (even engineered) growth of the theory, there is a strong sense of totality about what it represents.  The amount it has to offer, and the amount of complex physics that emerges totally naturally from the theory, is really compelling; the fact that only a single parameter can fully qualify our reality suggests to me that string theory is either correct, or very close to a real fundamental theory of everything.  I also believe that it is not a problem if the theory allows for an infinite number of permutations (variations in the geometry), as long as it provides an explanation for why a particular geometry should emerge instead of others (probably something regarding a lowest energy configuration).  Moving forward in the theory will no doubt require identifying the nature of M-Theory, and possible inventing some new mathematics in the process.  The clever tricks presented by Witten help in some instances, but it seems clear that the perturbative approach needs to be replaced entirely if string theory is to really break free.  Just as the second super-string revolution followed ten years after the first, we are now, 10 years later still, due for our third super-string revolution, which I believe will need to do exactly this.

String theory is of a particularly complex nature, and we stumbled across it accidentally.  It is unsurprising that a lot of our perspectives about reality should be found in error, when we already know our two most successful physical theories are incorrect (or at least incompatible), and a number of phenomena remain unexplained.  To assume we have a valid idea about the nature of reality at this stage in the game seems unjustifiably arrogant to me.  If nothing else, string theory has been an inspiring view into the possibilities our universe has to offer.  The success or failure of string theory, I believe, will set the stage for how people treat theories of this totally theoretical nature in the future.  If string theory comes into proper fruition, it will be a monumental achievement for humanity; we will be able to derive, from basic principles, why everything we see is the way it is. Why there are three large dimensions, why particles carry a certain charge and have a particular mass (and are not slightly heavier or lighter).  We will be able to explain exactly why each force is the strength it is, and why it wouldn’t be any other way.  It would be like finding the blueprint to nature, and it would open up all kinds of doors, both intellectual and technological.  The next several years when CERN comes online are no doubt going to be exciting for the physics community.  I personally hope we get lucky, and find evidence that there are in fact extra hidden dimensions, and that the full richness of nature has not yet been fully revealed.

References

Excepting the conclusion and the work on gravitation in higher dimensions, this paper is a compiled summary of materials from the following sources:

DeWitt, Richard.  Worldviews.  Malden, MA: Blackwell Publishing Ltd, 2004.

Green, Brian. The Elegant Universe.  New York: W. W. Norton & Company, 1999.

Green, Brian. The Fabric of the Cosmos. 1st ed. New York: Random House, 2004.

Sen, Ashoke. “An Introduction to Non-Perturbative String Theory.” Mehta Research. Institute of Mathematics and Mathematical Physics 12 Feb 1998.

Woit, Peter. Not Even Wrong. New York: Basic Books, 2006.

A Brief History of String Theory. (Provided by Dr. Beal; author unknown)

Davies, Paul, Cosmic Jackpot. Houghton Mifflin, 2007

The Monty Hall Problem

Feeling uninspired these days.  So much to do, so little time in which to do it.  Days like these call for random and pointless posts, so here I go.

The Monty Hall Problem

You are given a choice: select any one of three doors.  You are told in advance that one of the doors conceals a prize, while the other two contain nothing.

You select a door, and then the chipper game show host opens one of the doors you did not select, always to reveal nothing.  Now you have the choice to switch, or stay with your original choice.  What do you do?

Answer

Like I said, uninspired.  Overdone and boring for that matter.  But in any case… for some reason this problem was not immediately obvious to me when first I considered it.  Although I quickly wanted to switch doors, it was for the wrong reason and with the wrong excepted gain in value.  I had figured my odds of guessing were going from 1/3 to 1/2, which is certainly an improvement, but its not actually what is going on in this problem.  It wasn’t too hard to convince myself of the correct answer, so here it is.

Yes, you always want to switch doors.  In fact, doing so doubles your chances of winning the prize.  The reason for this gain is because the game show host always shows you an empty door, and in doing so, removes duplication from the system.  After he pulls this trick, and the only options available are one car and one door with nothing.  By eliminating duplication, the host has guaranteed that in switching, you always end up with the opposite prize to what you selected originally.

Simple enough, yes?  If you happened to choose a car the first time, switching always lands you with nothing.  If you happened to select a losing door the first time, switching always wins you the prize.  And that is the key.  You can’t switch from a losing door to a losing door, you can only switch to the winning one.

So going in what were the odds?  Two out of three doors landed you on nothing, and one out of three doors land you with a car.  Since switching also swaps your prize as well, two out of three times you will switch from nothing to the car, and only one out of three times will you switch from the car to nothing.  Your odds went from one in three to two in three.

Another way to think about this is to expand the problem to many more doors, say 50.  You select any one of the 50 door, and then the host opens 48 other doors to reveal nothing.  All you have left is the one you picked originally, and one other door in the lineup.  Now it is obvious you should switch, and your odds are much better than pure random one in two.  In this example, 49 out of 50 times you would have picked a door with nothing, and in every one of those cases the switch gets you the opposite prize (the car), so with the switch your odds go from 1/50 to 49/50.

People tend to get caught up by the instantaneous odds, and have trouble convincing themselves the choice to switch or not has any impact on the outcome.  But to the contrary, this is a perfect example of how context can provide meaning and insight to an otherwise colorless math problem.  Here, the relationships created between the original probabilities and the new outcomes are critical.