Sunday, April 10, 2011

Reviving the Ancient Game of Liubo 六博 as an HTML5 Multiplayer App with Google AppEngine on Python and the Channel API

What is Liubo(六博)?


One of the oldest recorded board games, Liubo, 六博, literally "six sticks" in Chinese, has a mysterious origin and even more mysterious disappearance. Emerging early in Chinese history, it was the most played game during the Han Dynasty and remained so until the emergence of Go, 围棋, in ancient China. In spite of its abundant preservation in the archeological record, and numerous historical writings describing the game, the exact rules of the game remain unknown to this very day.




Liubo: Resurrection


Fortunately, we need not leave this game in perpetual obscurity. Jean-Louis Cazaux, an author of many books on the history of chess and ancient board games, has done an extensive study of the historical and archeological record and posited a reconstruction of the rules. Furthermore, he has subjected these rules to extensive playtesting to discover a game that is quite entertaining to play.
After some exchanges with the author I've been able to implement the game he envisioned on the web with both multiplayer and AI capability.

To play the game, you first sign in using an OpenID such as Google or Yahoo. Then you press "Play" and you will be placed into the game queue for another opponent. If you wish, you may press "Skip to AI" and play the AI instead. Then you will randomly play as either white or black, white goes first as in chess. Two sets of yin-yang sticks are then thrown automatically on the right side of the screen, one mark for yin and two marks for yang. Total the yang plus one for each set of three sticks, and you have your move number, for instance 3-2. This means you move 3 the first move, then 2 the second. To move, you may either enter a stone onto the board at the move number, or if the piece has not moved this turn, you may advance the stone. Advancements go counter-clockwise around the board; press the Moves button to see the move order. At two special positions, numbers 6 and 11, you may move inward towards the center and across the board. If you land directly on the center, your piece is promoted to an "owl" if you don't have one already. This owl can then capture other pieces and put them into your prison; for regular stones, captures only return the piece to the other player. You may have only one owl at a time. Capture all the opponent stones and you win; capture the opponent owl if you have no owl and you also win; have five stones on the board and no owl while your opponent has an owl and you also win; let the other side run out of the 10 minute move clock and you also win. After each game, your elo rank and that of your opponent (including the AI, "SiliconDragon") is adjusted. You may see the top rated players with the Ratings button. You can find the game here:

Click to Play Liubo 六博


HTML5 Multiplayer Design


When starting the design, I first did a static layout of the board in HTML and CSS. I wanted a design that would scale to different screen sizes so I could use it on iPad as well as various desktop sizes. Also I wanted it to work on various browsers including IE8, so I focused on using CSS drawing techniques with borders and screen percentages and tested it on various platforms. Using gradients and fallback CSS I was able to make the board, throwing sticks and pieces without using any images at all.



Once the layout was done, there remained the huge effort of programming. There are many options in creating an interactive HTML5 app today, from WebSockets, to Flash compilation to Canvas, to game-specific libraries such as Impact.js. For speed and compatibility, I chose to use div-based HTML5 javascript with jQuery. Although node.js shows promise, I prefer the established ease of use of Google AppEngine and its python backend, so I went with that. Linking the client and server is the newly released Google Channel API.


Implementing a Google Channel API Client


The trickiest part of the whole project was getting the Channel API to work properly. My first mental reset was realizing it is a unidirectional, not bidirectional, API. That is, the Channel API requires that the server give a channel token to a client and then the client connect to the server, however only the server is allowed to send messages to the client. The client is not allowed to send messages to the server over the channel. Instead, the client must use normal HTTP requests to the server which then must be matched to a client token whereby the server can send a response over the channel.


Illustrating this procedure, first here is a python snippet initiated by client request for a new channel. It runs on the appengine and creates a new channel, stores it to the datastore, and then returns the channel token along with other user data in a JSON:

def put_channel(self, user, profile):
   profile.channeltoken = 
      channel.create_channel(make_channel_id(user.federated_identity()))
   profile.channeldate = datetime.now()
   profile.put()
   profile_json = {
      'screenname': profile.screenname,
      'character': profile.character,
      'rating': profile.rating,
      'rank': compute_rank(profile.rating),
      'numgames': profile.numgames,
      'dateadded': profile.date_added.strftime('%Y-%m-%d'),
      'logoutURL': users.create_logout_url('/'),
      'channeltoken': profile.channeltoken
   }
   self.response.out.write(simplejson.dumps(profile_json))


On the javascript side, we receive this channeltoken, set our channel id to this token, and then create a new channel. We then open a socket and setup socket handlers. The socket open handler requests a new game to join. The socket message handler processes each message sent from the server, such as starting a multiplayer game and receiving moves from an opponent.

self.channel = new goog.appengine.Channel(self.channelid);
self.socket = self.channel.open();
self.socket.onopen = self.socketOnOpened;

self.socketOnOpened = function() {
   // give it a chance to startup
   setTimeout(game.requestJoin, 5000);
};

self.socketOnMessage = function(message) {
   // console.log('received message data:'+message.data);
   var messageArray = $.parseJSON(message.data);
   if (!messageArray) {
      alert('invalid message received: ' + message.data);
      return;
   }
   for (var i=0; i<messageArray.length; i++) {
      var messageline = messageArray[i];
      var command = messageline.shift();
      var data = messageline;
      self.commandProcessor.processCommand(command, data);
   }
};

Going again back to the server-side python code, we create a simple function for sending messages to the client via the channel. When creating a game, we first create a unique gamekey, then send it to the channel. Another important point to note about the Channel API is illustrated here: the server must have a different unique channel to each client it wishes to connect to. There are no broadcast channels or multiple subscribers; it is strictly one-to-one. So the server has created two channel ids, one for the white side and one for the black side, upon client connect. Then as the game progresses, messages are sent from the server to each client via its own respective channel. A unique gamekey, sent by each client during a request, allows the server to connect a request to a particular game, and thus provide a link between two clients in a multiplayer game:


def send_message(self, channelid, json):
   logging.info('sending message to:%s payload:%s',
      channelid, simplejson.dumps(json))
   channel.send_message(channelid, simplejson.dumps(json))

def create_game(self):
   self.create_gamekey()
   game = Game(parent=gamezero)
   game.gamestatus = 'WJ' # waiting for join
   game.gamecreated = datetime.now()
   game.gamekey = newline_encode(self.gamekey)
   game.gamestatus = 'GS' # game started
   game.gamestarted = datetime.now()
   game.put()
   self.send_message(self.black_channelid, [['PB'],
      ['OP',game.white_playername],['GS',self.gamekey]])
   # game started, white's move
   self.send_message(self.white_channelid, [['PW'],
      ['OP',game.black_playername],['GS',self.gamekey],['WM']])


Again returning to the client javascript side, we receive the new gamekey and begin the game. Each time after the client player moves, an HTTP POST request is sent to the server. This request contains the gamekey and the moves for this turn. We don't wait for any reply from the server to our request; instead, our previously established socket listener waits for any commands to be received via the channel API, namely, the other players moves. This methodology is how the Channel API is meant to be used in interactive applications.


self.startGame = function(data){
   $('#gamejoinstatus').html('Starting game...');
   clearTimeout(self.joinTimeout);
   game.gamekey = data[0];
   game.startGame();
}

self.sendMoves = function(moves) {
   var params = {
      gamekey: self.gamekey,
      moves: $.JSON.encode(moves)
   };
   // console.log('POST moves to server:'+params.moves);
   $.post('/games', params)
   .error(function(){
      $('#throwturn').html('Unable to send move');
   });
}

Returning to the python server side, we find our move processor. After receiving the HTTP POST request from the client with the game key and validating moves, we simply relay the move to the other player via the other player's channel id. In addition, we check for a validated game over condition:


def post(self):
   self.user = users.get_current_user()
   self.request.get('gamekey'), self.request.get('moves'))
   self.gamekey = self.request.get('gamekey')
   if not self.user or not self.gamekey:
      self.error(403)
   elif self.request.get('moves'):
      self.moves = simplejson.loads(self.request.get('moves'))
   if self.decode_gamekey():
      self.process_moves()
   else:
      self.error(403)

def process_moves(self):
   # just relay moves to the other side
   self.send_message(self.other_channelid(), self.moves);
   for move in self.moves:
      command = move[0]
      if command == 'GO': # gameover
         status = move[1]
         winner = move[2]
         reason = move[3]
         self.process_gameover(status, winner, reason)
         break

Lastly, let's see how we actually process moves on the client side. I've adopted a simple json-based symmetrical send/receive protocol, so all messages back and forth are sent as json-encoded lists. Each item in the list is itself a list, consisting of a two-character string command code and zero or more data items. The heart of this is the client command processor that receives each different command type from the server and then dispatches it to the appropriate handler:


self.processCommand = function(command, data) {
   // console.log('Command and data received: '+command+' '+data);
   switch (command) {
      case 'WJ': self.waitForJoin(); break;
      case 'OP': self.setOtherPlayer(data); break;
      case 'PW': self.setPlayer('white'); break;
      case 'PB': self.setPlayer('black'); break;
      case 'GS': self.startGame(data); break;
      case 'GO': self.gameOver(data); break;
      case 'WT': self.receiveThrow('white', data); break;
      case 'BT': self.receiveThrow('black', data); break;
      case 'WM': self.takeTurn('white'); break;
      case 'BM': self.takeTurn('black'); break;
      case 'WS': self.moveStone('white', data); break;
      case 'BS': self.moveStone('black', data); break;
      case 'WP': self.promotionMove('white', data); break;
      case 'BP': self.promotionMove('black', data); break;
      case 'WB': self.receiveBonusThrow('white'); break;
      case 'BB': self.receiveBonusThrow('black'); break;
      case 'NR': self.newRating(data); break;
      default:
   }
};




That pretty much covers how to use the Google Channel API in a multiplayer game. The good thing is I found it worked across all the platforms I tested, and at lower volumes it's completely free to use on the Google AppEngine. So you can get something up and running without spending any cash, only if it takes off do you need to front up some mulah. There are many other aspects to the game which I could elaborate if readers desire, but this has provided a good introduction to using the Channel API in your own game. Try it out:



Click to Play Liubo 六博


PS: I recommend the site HTML5Games to see the latest in HTML Indie Gaming.

150 comments:

  1. Wonderful article, very useful and well explanation. Your post is extremely incredible. I will refer this to my candidates
    SAP Training in Chennai

    ReplyDelete
  2. Thank you for sharing such a nice article here. And please keep update like this information here.

    SAP MM Training in Chennai

    ReplyDelete
  3. The programming was very easily understand and more important coding are provided on this post and this is very valuable in my studies,all coding easily understand and develop more skills,thanks for sharing this post.
    digital marketing training in chennai

    ReplyDelete
  4. Excellent post, some great resources with the execution models. Styling your blog the right way is key. This information is impressive..I am inspired with your post writing style & how continuously you describe this topic. After reading your post,thanks for taking the time to discuss this, I feel happy about and I am eager to learn more about this topic.

    digital marketing training Chennai

    ReplyDelete
  5. About the python information really very excellent and i find more new information,i like that kind of information,not only i like that post all peoples like that post.
    Oracle SQL Training in Chennai

    ReplyDelete
  6. In each game shows your name and a small capture what awaits you when you enter it.
    Unblocked Games at School
    Unblocked Games circle

    ReplyDelete

  7. Great and useful article. Creating content regularly is very tough. Your points are motivated me to move on.


    Truly a very good article on how to handle the future technology. After reading your post,thanks for taking the time to discuss this, I feel happy about and I love learning more about this topic.


    SEO Company in Chennai

    ReplyDelete
  8. Wow post.. Thank you sharing this kind of interesting and amazing post which will provide more information

    SMO Services Chennai

    ReplyDelete
  9. your app report is really awesome and it is very much interesting i like the features and it is very well to get about the clear concept.

    Online Reputation Management

    ReplyDelete

  10. All are saying the same thing repeatedly, but in your blog I had a chance to get some useful and unique information, I love your writing style very much, I would like to suggest your blog in my dude circle, so keep on updates.


    Online Reputation Management

    ReplyDelete
  11. thank you for sharing such a nice and interesting blog with us. hope it might be much useful for us. keep on updating...
    SEO Company In Chennai

    ReplyDelete
  12. Really a very well information here. And actually Python is a easiest language that can support at all platform than Java. I am interested to know more about this.

    Email Marketing Chennai

    ReplyDelete


  13. What an awesome post, I just read it from start to end. Learned something new after a long time.


    Informatica Training in Chennai

    ReplyDelete
  14. Your procedure and way of idea is really good and thus it is very much interesting, i came too know more information about your blog.


    Android Training in Chennai

    ReplyDelete
  15. wow great,nowadays this type of blog id more important and informative technology,it was more impressive to read ,which helps to design more in effective ways


    Java J2ee training in chennai

    ReplyDelete
  16. Thanks for sharing article like this. The way you have stated everything above is quite awesome. Keep blogging like this. Thanks a lot.


    Best Dot Net Training Institutes in Chennai

    ReplyDelete
  17. very useful information provided in this blog. concepts were explained in a detailed manner. Keep giving these types of information.
    SEO Training in Chennai

    ReplyDelete
  18. your blog is really awesome and you have clearly explained many more topics and it is really good thus it is very much interesting and really nice too.

    Best Informatica Training Institute in Chennai

    ReplyDelete
  19. A very nice guide. I will definitely follow these tips. Thank you for sharing such detailed article. I am learning a lot from you.

    Best Dental Clinic In Vellore

    Best Dental Clinic In OMR

    ReplyDelete
  20. Very nice post here thanks for it I always like and search such topics and everything connected to them.Excellent and very cool idea and the subject at the top of magnificence and I am happy to comment on this topic through which we address the idea of positive re like this.

    Car Wash Services in Mumbai

    ReplyDelete
  21. That is very interesting; you are a very skilled blogger. I have shared your website in my social networks..!

    Payday loans in Alabama
    Title loans in South Carolina

    ReplyDelete
  22. AS python is important for the calculating purpose in th similar way SQl and Plsql are very basic and very needy languages for Data base management.

    Oracle SQL Frequently Asked Questions

    ReplyDelete
  23. Great post! I am see the great contents and step by step read really nice information.I am gather this concepts and more information. It's helpful for me my friend. Also great blog here with all of the valuable information you have.
    Weblogic Training in Chennai

    ReplyDelete
  24. Excellent goods from you, man. I’ve understand your stuff previous to and you’re just too excellent. I actually like what you’ve acquired here, certainly like what you are stating and the way in which you say it. You make it enjoyable and you still take care of to keep it sensible. I can not wait to read far more from you. This is actually a tremendous site..
    Architectural Firms in Chennai
    Architects in Chennai

    ReplyDelete
  25. Its a wonderful post and very helpful, thanks for all this information. You are including better information regarding this topic in an effective way.Thank you so much
    cloud computing training in chennai

    ReplyDelete
  26. i really like this blog.And i got more information's from this blog.thanks for sharing!!!!Web Development Company in India

    ReplyDelete
  27. There are lots of information about latest technology and how to get trained in them, like this have spread around the web, but this is a unique one according to me. The strategy you have updated here will make me to get trained in future technologies. By the way you are running a great blog. Thanks for sharing this.
    Digital Marketing Training in Chennai

    ReplyDelete
  28. Thank you for sharing such a nice and interesting blog with us. I have seen that all will say the same thing repeatedly. But in your blog, I had a chance to get some useful and unique information. I would like to suggest your blog in my dude circle.
    Informatica Training in Chennai

    ReplyDelete
  29. This comment has been removed by the author.

    ReplyDelete
  30. Thank you for sharing such a nice and interesting blog with us. I have seen that all will say the same thing repeatedly. But in your blog, I had a chance to get some useful and unique information. I would like to suggest your blog in my dude circle.
    Web development Company in India

    ReplyDelete
  31. Just read your website. Good one. I liked it. Keep going. you are a best writer your site is very useful and informative thanks for sharing!

    Herbal Shampoo

    ReplyDelete
  32. Really i like this blog and i got lot of information's from your blog.And thanks for sharing!!!!
    Corporate Office Interiors in Chennai

    ReplyDelete
  33. This comment has been removed by the author.

    ReplyDelete
  34. Your blog is very unique and interesting. It makes reader to come back and visit again.

    Selenium Training in Chennai

    ReplyDelete
  35. Great.Nice information.It is more useful and knowledgeable. Thanks for sharing keep going on..
    SEO company in India
    Digital Marketing Company in Chennai

    ReplyDelete
  36. This blog is having the general information. Got a creative work and this is very different one.We have to develop our creativity mind.This blog helps for this. Thank you for this blog. This is very interesting and useful.

    Selenium Training in Chennai

    ReplyDelete
  37. Thanks for sharing this valuable information.I have read your blog and i got a very useful and knowledgeable information from your blog.You have done a great job.


    seo company

    ReplyDelete
  38. Its really very useful topic. Thanks for sharing this information.
    SAP SD Training in Chennai

    ReplyDelete
  39. very informative blog and very useful for readers. making us to learn more from your blog...
    Best sap basis training in chennai

    ReplyDelete
  40. It is very useful to everyone. Nice blog. Keep on sharing like this information...
    SAP MM Training in Chennai

    ReplyDelete
  41. Its really an Excellent post. I just stumbled upon your blog and wanted to say that I have really enjoyed reading your blog. Thanks for sharing
    SAP Training in Chennai
    SAP ABAP Training in Chennai

    ReplyDelete
  42. Really nice information you had posted. Its very informative and definitely it will be useful for many people

    Best Dental Clinic in Mylapore
    Dental Implants in Chennai
    Pediatric Dentist in Chennai
    Orthodontic Treatment

    ReplyDelete

  43. It is really very excellent,I find all articles was amazing.Awesome way to get exert tips from everyone,not only i like that post all peoples like that post.Because of all given information was wonderful and it's very helpful for me.
    Hadoop Training in Chennai
    Data Warehousing Training in Chennai
    Informatica Training in Chennai
    SAS Training in Chennai

    ReplyDelete
  44. This is a very interesting web page and I have enjoyed reading many of the articles and posts contained on the website, keep up the good work and hope to read some more interesting content in the future.
    Research Paper Publication
    Science Journal
    IEEE Projects
    Journal Impact Factor
    Highest Impact Factor Journal

    ReplyDelete
  45. Accountants Hove
    nice blog !! this is really nice and interested to read.

    ReplyDelete
  46. Were a gaggle of volunteers as well as starting off a brand new gumption within a community. Your blog furnished us precious details to be effective on. You've got completed any amazing work!
    Click here:
    python training in chennai


    Click here:
    python training in tambaram

    ReplyDelete
  47. Thanks for the good words! Really appreciated. Great post. I’ve been commenting a lot on a few blogs recently, but I hadn’t thought about my approach until you brought it up. 
    Blueprism online training

    Blue Prism Training in Pune

    Blueprism training in tambaram

    ReplyDelete
  48. This is most informative and also this post most user friendly and super navigation to all posts... Thank you so much for giving this information to me.. 
    Devops Training in Chennai
    Devops Training in Bangalore

    ReplyDelete

  49. Awesome article. It is so detailed and well formatted that i enjoyed reading it as well as get some new information too. provides you with a state of the art software which combines modern GPU technology (Graphic Processing Units) with the best practices in today’s Big Data platforms, providing up to 100x faster insights from data.
    Bigdata Training in Chennai OMR

    ReplyDelete
  50. Excellent and very cool idea and the subject at the top of magnificence and I am happy to this post..Interesting post! Thanks for writing it. What's wrong with this kind of post exactly? It follows your previous guideline for post length as well as clarity..
    CRM Software in india
    CRM Software in Chennai

    ReplyDelete
  51. http://ibdpartnership.blogspot.com/SQream Technologies provides you with a state of the art software which combines modern GPU technology (Graphic Processing Units) with the best practices in today’s Big Data platforms, providing up to 100x faster insights from data.
    Bigdata Training in Chennai OMR

    ReplyDelete
  52. A universal message I suppose, not giving up is the formula for success I think. Some things take longer than others to accomplish, so people must understand that they should have their eyes on the goal, and that should keep them motivated to see it out til the end.

    Data Science training in kalyan nagar | Data Science training in OMR
    Data Science training in chennai | Data science training in velachery
    Data science training in tambaram | Data science training in jaya nagar

    ReplyDelete
  53. I appreciate your efforts because it conveys the message of what you are trying to say. It's a great skill to make even the person who doesn't know about the subject could able to understand the subject . Your blogs are understandable and also elaborately described. I hope to read more and more interesting articles from your blog. All the best.
    java training in tambaram | java training in velachery

    java training in omr | oracle training in chennai

    ReplyDelete
  54. Your good knowledge and kindness in playing with all the pieces were very useful. I don’t know what I would have done if I had not encountered such a step like this.

    Java interview questions and answers

    Java training in Chennai | Java training institute in Chennai | Java course in Chennai

    ReplyDelete
  55. This looks absolutely perfect. All these tiny details are made with lot of background knowledge. I like it a lot. 
    python interview questions and answers
    python tutorials
    python course institute in electronic city

    ReplyDelete
  56. Nice post. By reading your blog, i get inspired and this provides some useful information. Thank you for posting this exclusive post for our vision. 

    angularjs Training in bangalore

    angularjs Training in bangalore

    angularjs online Training

    angularjs Training in marathahalli

    angularjs interview questions and answers

    ReplyDelete
  57. I found your blog while searching for the updates, I am happy to be here. Very useful content and also easily understandable providing.. Believe me I did wrote an post about tutorials for beginners with reference of your blog. 

    rpa training in chennai
    rpa training in bangalore
    rpa course in bangalore
    best rpa training in bangalore
    rpa online training

    ReplyDelete
  58. This comment has been removed by the author.

    ReplyDelete
  59. Nice blog..! I really loved reading through this article. Thanks for sharing such an amazing post with us and keep blogging...Well written article Thank You for Sharing with Us project management courses in chennai |pmp training class in chennai | pmp training near me | pmp training courses online | <a

    ReplyDelete
  60. I do trust all of the concepts you’ve presented on your post. They’re really convincing and will definitely work. Still, the posts are too brief for newbies. May you please extend them a little from subsequent time?Also, I’ve shared your website in my social networks.
    Mobile App Development Company In Chennai
    Android App Development Company In Chennai
    Android Application Development Company In Chennai
    Custom Web Application Development Company In Chennai

    ReplyDelete
  61. Fantastic work! This is the type of information that should follow collective approximately the web. Embarrassment captivating position Google for not positioning this transmit higher! Enlarge taking place greater than and visit my web situate
    Java training in Bangalore | Java training in Indira nagar

    Java training in Bangalore | Java training in Rajaji nagar

    Java training in Bangalore | Java training in Marathahalli

    Java training in Bangalore | Java training in Btm layout

    ReplyDelete
  62. Ancient games are very interesting to play. I request you to make games based on strategy and intelligence. Now a days games are very rudely. It is not good for children's mentality. I encourage to make games like puzzle, racing etc..

    Azure Training | Microsoft Azure Training | Azure Course | Microsoft Azure Course | Azure Training in Chennai | Microsoft Azure Training in Chennai

    UX Designer Training | UI Designer Training | UX Designer Training in Chennai | UI Designer Training in Chennai

    ReplyDelete
  63. Replies
    1. Hello! This is my first visit to your blog! We are a team of volunteers and starting a new initiative in a community in the same niche. Your blog provided us useful information to work on. You have done an outstanding job.
      No.1 AWS Training in Chennai | Amazon Web Services Training Institute in Chennai
      Best AWS Training Institute in Bangalore | Amazon Web Services AWS Training in Bangalore
      AWS Online Training | Online AWS Certification Training Course

      Delete
  64. It's interesting that many of the bloggers to helped clarify a few things for me as well as giving.Most of ideas can be nice content.The people to give them a good shake to get your point and across the command
    best rpa training in bangalore
    rpa training in pune | rpa course in bangalore
    RPA training in bangalore
    rpa training in chennai

    ReplyDelete
  65. Superb. I really enjoyed very much with this article here. Really it is an amazing article I had ever read. I hope it will help a lot for all. Thank you so much for this amazing posts and please keep update like this excellent article. thank you for sharing such a great blog with us.
    best rpa training in bangalore
    rpa training in pune | rpa course in bangalore
    RPA training in bangalore
    rpa training in chennai

    ReplyDelete
  66. This comment has been removed by the author.

    ReplyDelete
  67. Thanks you for sharing this unique useful information content with us. Really awesome work. keep on blogging
    Best Devops Training in pune
    Microsoft azure training in Bangalore
    Power bi training in Chennai

    ReplyDelete
  68. This blog is the general information for the feature. You got a good work for these blog.We have a developing our creative content of this mind.Thank you for this blog. This for very interesting and useful.
    python interview questions and answers
    python tutorials
    python course institute in electronic city

    ReplyDelete

  69. It’s amazing in support of me to truly have a web site that is valuable meant for my knowledge.

    visit our web

    ReplyDelete

  70. It’s amazing in support of me to truly have a web site that is valuable meant for my knowledge.

    site...

    ReplyDelete
  71. After seeing your article I want to say that the presentation is very good and also a well-written article with some very good information which is very useful for the readers....thanks for sharing it and do share more posts like this.
    angularjs online training

    apache spark online training

    informatica mdm online training

    devops online training

    aws online training

    ReplyDelete
  72. Truly a very good article on how to handle the future technology. After reading your post,thanks for taking the time to discuss this, I feel happy about and I love learning more about this topic.
    - Mumbai Web, Crocus Web

    ReplyDelete
  73. Best work you have done, this online website is cool with great facts and looks. I have stopped at this blog after viewing the excellent content. I will be back for more qualitative work. Lexis Poker

    ReplyDelete
  74. Thank you so much for sharing this informative blog with us, this was really amazing and I’m really thankful to you.

    Invisible Teeth Braces
    Dental Implants
    Laser Root Canal Treatment
    Laser Gum Treatment
    Book An Appointment

    ReplyDelete
  75. colier bluetooth card gsm de copiat camera pentru copiat ceas pdf copiat handsfree pentru copiat ceas pentru copiat cu bluetooth de copiat pix bluetooth baterie sony 337 casca copiat raspuns automat

    casti de copiat

    ReplyDelete

  76. I sharing All Crak For hacking Seo Trafic with smursh this easy tool and u gona like it :
    dewa poker 88
    luxury138
    bromopoker
    panenpoker

    ReplyDelete

  77. I sharing All Crak For hacking Seo Trafic with smursh this easy tool and u gona like it :
    dewa poker 88
    luxury138
    bromopoker
    panenpoker

    ReplyDelete
  78. Thank you for valuable information.I am privilaged to read this post.aws training in bangalore

    ReplyDelete
  79. Congratulations! This is the great things. Thanks to giving the time to share such a nice information.best Mulesoft training in bangalore

    ReplyDelete
  80. It is amazing and wonderful to visit your site.Thanks for sharing this information,this is useful .web designing training in bangalore

    ReplyDelete
  81. Pretty article! I found some useful information in your blog, it was awesome to read, thanks for sharing this great content to my vision, keep sharing.

    apex course

    ReplyDelete
  82. Really i appreciate the effort you made to share the knowledge. The topic here i found was really effective...

    Softgen Infotech is the Best Oracle Training institute located in BTM Layout, Bangalore providing quality training with Realtime Trainers and 100% Job Assistance.

    ReplyDelete
  83. Such a great word which you use in your article and article is amazing knowledge. thank you for sharing it.

    eTechno Soft Solutions offers the industry recognized Job Oriented Training in Bangalore that combines corporate training, online training, and classroom training effectively to fulfill the educational demands of the students worldwide.

    ReplyDelete
  84. You have made some good points there. I looked on the net for additional information about the issue and found most individuals will go along with your views on this site.
    Tech geek

    ReplyDelete

  85. I am inspired with your post writing style & how continuously you describe this topic. After reading your post, thanks for taking the time to discuss this, I feel happy about it and I love learning more about this topic..

    aws training bangalore
    aws training

    ReplyDelete
  86. Thanks for sharing such a great information..Its really nice and informative...

    oracle erp training online

    ReplyDelete
  87. Pretty article! I found some useful information in your blog, it was awesome to read, thanks for sharing this great content to my vision, keep sharing. azure training

    ReplyDelete

  88. I am very happy when read this blog post because blog post written in good manner and write on good topic. Thanks for sharing valuable information.

    Java training in chennai | Java training in annanagar | Java training in omr | Java training in porur | Java training in tambaram | Java training in velachery

    ReplyDelete
  89. Божественно волшебныеи еще удивительно точнейшие интернет гадания для познания нашего ближайшего будущего - это то, что вы увидите на нашем сайте. Правдивое гадание онлайн на отношение мужчины является действенным доступным и простым инструментом для извлечения жизненных информаций из эфирного поля планеты Земля.

    ReplyDelete

  90. I am reading your post from the beginning, it was so interesting to read & I feel thanks to you for posting such a good blog, keep updates regularly.I want to share about weblogic administration .

    ReplyDelete

  91. I am reading your post from the beginning, it was so interesting to read & I feel thanks to you for posting such a good blog, keep updates regularly. I want to share about weblogic administration .

    ReplyDelete
  92. Предсказание будущего дает предположить, что вас подстерегает в ближайшее время. Любой порывается предугадать свое грядущее и видит определенные типы гадания гораздо больше эффективными. Гадание онлайн на отношения - попытка увидеть будущие события непрерывно манил человека.

    ReplyDelete
  93. thanks for sharing valuable information

    ReplyDelete
  94. Керамогранит fabresa vermont jasmine cream днр получают только лишь из натуральных материалов. Экологически безвредный материал, полностью безопасен для человека. Керамику возможно ложить в залах заведений общепита, в школах и дошкольных учебных заведениях.

    ReplyDelete
  95. great post , learn things from your blog thanks for this information. Are you intresting in code developer then checkout python training in satara

    ReplyDelete
  96. Nice article,it was very interesting to read.
    also, check Python classes in Pune

    ReplyDelete