Click here to Skip to main content
15,881,092 members
Articles / Web Development / ASP.NET
Article

Translation Web Service in C#

Rate me:
Please Sign up or sign in to vote.
4.65/5 (32 votes)
18 Apr 20044 min read 408K   7K   77   74
C# Web Service to translate text using Babelfish.

Introduction

Most people are now aware that most of the world is not English, even though it's very easy to miss this fact when surfing the web, simply because Google gives English results to people searching English, and so you conveniently miss all the pages in German/French/Italian etc.

The popularity of Altavista's famous Babelfish service is therefore hardly surprising - converting text or web pages into other languages is a useful thing to do.

For a while, anyone looking to integrate translation into their app would simply have had to plug in the Babelfish WSDL. Posters to newsgroups were directed to the free service from xmethods, a good source for a variety of web services (SMS, etc.). In fact, the Babelfish WSDL is the 9th hit on Google for WSDL.

So I plugged it into my apps, intranet, extranet and anything else that vaguely looked like it would benefit from a translation service. And life was good.

But one day the service stopped working, apparently for good. So I had to write a replacement. And here it is.

Code

This is a pretty simple job, and can be broken down into the following subtasks:

  1. Get text for translation and encode it into a HTTP POST request
  2. Send the data to the web server, acting in effect as a .NET web browser
  3. Read the response back into a big string
  4. Remove all the HTML and formatting and send the raw translated string back to the client.

So fire up Visual Studio .NET, and create an ASP.NET Web Service, and name it Translation, and add a Translate.asmx file. There are two inputs: the translation mode (e.g., French to English), and the data to be translated (e.g., 'the quick brown fox jumps over the lazy dog'). To make it a plug-in replacement for the old service, I gave my method the same name and parameters as the old one:

C#
[WebMethod]
public string BabelFish(string translationmode, string sourcedata) 
{
}

The translation modes can be found in the source of the page at Babelfish:

C#
readonly string[] VALIDTRANSLATIONMODES = new string[] 
 {"en_zh", "en_fr", "en_de", "en_it", "en_ja", "en_ko", "en_pt", "en_es", 
 "zh_en", "fr_en", "fr_de", "de_en", "de_fr", "it_en", "ja_en", "ko_en", 
 "pt_en", "ru_en", "es_en"};

The code performs validation to check for a valid mode before passing it on to Babelfish. After that, we create a POST request. The syntax for a HTTP POST request looks something like this:

POST /babelfish/tr/ HTTP/1.0
Content-Type: application/x-www-form-urlencoded
Content-Length: 51

lp=en_fr&tt=urltext&intl=1&doit=done&urltext=cheese

It's pretty simple, and if you want, you could use low-level sockets to write the data to the server. Microsoft provides some better ways to do this however, and so we use the HttpWebRequest class, which has lots of built-in features to make it easy to work with HTTP connections.

C#
Uri uri = new Uri(BABELFISHURL);
HttpWebRequest request = (HttpWebRequest) WebRequest.Create(uri);
request.Referer = BABELFISHREFERER;
// Encode all the sourcedata 
string postsourcedata;
postsourcedata = "lp=" + translationmode + 
    "&tt=urltext&intl=1&doit=done&urltext=" + 
HttpUtility.UrlEncode(sourcedata);
request.Method = "POST";
request.ContentType = "application/x-www-form-urlencoded";
request.ContentLength = postsourcedata.Length;
request.UserAgent = "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.1)";
Stream writeStream = request.GetRequestStream();
UTF8Encoding encoding = new UTF8Encoding();
byte[] bytes = encoding.GetBytes(postsourcedata);
writeStream.Write(bytes, 0, bytes.Length);
writeStream.Close();
HttpWebResponse response = (HttpWebResponse) request.GetResponse();
Stream responseStream = response.GetResponseStream();
StreamReader readStream = new StreamReader (responseStream, Encoding.UTF8);
string page = readStream.ReadToEnd();

We end up with a string containing the entire Babelfish page. As it stands, this is about 99% noise (HTML tags, Altavista information, etc.), and 1% the translation we were looking for. So we need a regular expression to find the translated text. By looking at the HTML page, you will find the translation is contained between:

HTML
<Div style=padding:10px; lang=fr>translation here</div>

So the required regular expression looks like this (note: while testing my regular expressions, I got lots of help from Regulator):

<Div style=padding:10px; lang=..>((?:.|\n)*?)</div>

This will match the whole <div>...</div> string. This is a fairly complex regular expression, but basically, the . character matches everything, except for newlines, hence the (.|\n) pattern, which means any character (except newlines) or new lines.

The brackets create a matching group, meaning that the text within the brackets (namely the translation) will be put in its own group at index 1 (index 0 contains the whole match).

The ?: pattern suppresses grouping: () normally creates a matching group: in this case, we are only using the pattern to allow for line breaks in long translations.

Finally *? is a lazy regular expression, matching every character up to the first instance of <div>. (If I had used plain *, the expression would be greedy, and would chomp right up to the LAST </div>.)

Here's the code:

C#
Regex reg = new Regex(@"<Div style=padding:10px; lang=..>(.*?)</div>");
MatchCollection matches = reg.Matches(page);
if (matches.Count != 1 || matches[0].Groups.Count != 2) 
{
    return ERRORSTRINGSTART + "The HTML returned from Babelfish " + 
        "appears to have changed. Please check for" + 
        " an updated regular expression" + 
        ERRORSTRINGEND;
}
return matches[0].Groups[1].Value;

And subject to error checking, that's it!

Using it

Download the code, and unzip it somewhere. Add a virtual directory called Translation in IIS. Go to /translate.asmx and click Test, and enter some test data (say 'en_fr', and 'cheese'). If it works, you are ready to use it in your web and Windows Forms applications.

To use it in your app, add a Web Reference to the asmx, to the program you want to use it in; Visual Studio will create a proxy reference for you, which you can then use to perform translation.

Here's some sample code-behind:

C#
namespace test
{
    using System;
    using System.Data;
    using System.Drawing;
    using System.Web;
    using System.Web.UI.WebControls;
    using localhost1; // assuming that's the reference generated
    using System.Web.UI.HtmlControls;

    /// <summary>
    ///     Summary description for WebUserControl1.
    /// </summary>
    public class WebUserControl1 : System.Web.UI.UserControl
    {
        protected System.Web.UI.WebControls.DropDownList ddTranslationMode;
        protected System.Web.UI.WebControls.TextBox txtText;
        protected System.Web.UI.WebControls.Label lblTranslation;
        protected System.Web.UI.WebControls.Button submitButton;

        private void Page_Load(object sender, System.EventArgs e)
        {
            // Put user code to initialize the page here
        }

        protected void submitButton_Click(object sender, System.EventArgs e) 
        {
            string translationMode = 
                this.ddTranslationMode.SelectedItem.Value;
            string translationText = this.txtText.Text.Trim();
            string translation = "";
            try 
            {
                Translate tr = new Translate();
                translation = tr.BabelFish(translationMode,translationText);
            }
            catch (Exception exp) 
            {
                translation = "There was an error accessing the server: " 
                                                             + exp.Message;
            }
            this.lblTranslation.Text = translation;
        }
    }
}

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
United Kingdom United Kingdom
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralBig Chunk of Content with HTML Tags Pin
pbansal12-Mar-07 1:45
pbansal12-Mar-07 1:45 
GeneralUnable to connect to the remote server Pin
pbansal12-Mar-07 0:46
pbansal12-Mar-07 0:46 
GeneralURGENT HELP REQUIRED Pin
HARISHRAM13-Dec-06 3:39
HARISHRAM13-Dec-06 3:39 
GeneralThere was a problem connecting to the Babelfish server Pin
bijulsoni14-Nov-06 2:09
bijulsoni14-Nov-06 2:09 
GeneralRe: There was a problem connecting to the Babelfish server Pin
dimitar20043-Dec-06 9:59
dimitar20043-Dec-06 9:59 
GeneralRe: There was a problem connecting to the Babelfish server Pin
bijulsoni3-Dec-06 19:25
bijulsoni3-Dec-06 19:25 
GeneralRe: There was a problem connecting to the Babelfish server Pin
Brenda Lowe3-Apr-08 13:03
Brenda Lowe3-Apr-08 13:03 
GeneralIncorrect content-length header Pin
Bret Mulvey20-Oct-06 5:42
Bret Mulvey20-Oct-06 5:42 
This code sets the content-length header of the request to the number of characters in the string. Instead, it should be the number of bytes in the request body (the length of the "bytes" array). It works for English because all the characters get encoded as one byte, but may not work for other languages if Babel Fish is paying attention to this header. It may be ignoring this header in which case it doesn't matter, but this should probably be fixed at some point.
QuestionUsing VC++ ??? Pin
Milind Shingade10-Aug-06 18:04
Milind Shingade10-Aug-06 18:04 
AnswerRe: Using VC++ ??? Pin
Ravi Bhavnani13-Dec-06 4:16
professionalRavi Bhavnani13-Dec-06 4:16 
QuestionC# Google Connection Method Pin
Matt F.25-Jul-06 4:27
Matt F.25-Jul-06 4:27 
Generalwww.zeta-software.de/Translator Pin
Uwe Keim23-Jan-06 23:13
sitebuilderUwe Keim23-Jan-06 23:13 
QuestionWhich to use: Google or Babelfish? Pin
Goalie3518-Jan-06 5:07
Goalie3518-Jan-06 5:07 
AnswerRe: Which to use: Google or Babelfish? Pin
Steve MunLeeuw7-Feb-06 21:36
Steve MunLeeuw7-Feb-06 21:36 
GeneralRe: Which to use: Google or Babelfish? Pin
Goalie358-Feb-06 3:39
Goalie358-Feb-06 3:39 
GeneralFixed: Problems with postsourcedata Pin
Campbell Gunn15-Jan-06 16:31
Campbell Gunn15-Jan-06 16:31 
GeneralVB version for both Bablefish and Google Pin
TonyDebenport10-Jan-06 5:56
TonyDebenport10-Jan-06 5:56 
Generalcode does work Pin
Steve MunLeeuw6-Jan-06 12:20
Steve MunLeeuw6-Jan-06 12:20 
GeneralCool Pin
xingfang2-Sep-05 13:07
xingfang2-Sep-05 13:07 
Generalproblem for connection Pin
marks4161-Aug-05 7:02
marks4161-Aug-05 7:02 
GeneralRe: problem for connection Pin
marks4161-Aug-05 7:04
marks4161-Aug-05 7:04 
GeneralProvided code no longer works. Pin
npsinboro27-Jun-05 8:13
npsinboro27-Jun-05 8:13 
QuestionVB.net version but with an error, anyone help? Pin
Levyuk14-Jun-05 3:37
Levyuk14-Jun-05 3:37 
GeneralLatest languages supported code line Pin
Christopher Scholten14-Apr-05 22:46
professionalChristopher Scholten14-Apr-05 22:46 
GeneralError: The underlying connection was closed: The server committed an HTTP protocol violation. Pin
RichTeel27-Jan-05 4:04
RichTeel27-Jan-05 4:04 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.