ASP.NET Cryptography

For the past two days I have been working on encrypting data using ASP.NET’s built-in cryptography classes. I experimented with TripleDES and Rijndael, also known as the Advanced Encryption Standard (AES). Rijndael is accepted as a government standard for data security so I’ve used it instead of 3DES. ASP.NET mostly uses encryption for cookie data and the viewstate data which can be seen in a web page’s source code. However you can also use these encryption methods to secure the data stored in your database.

As a developer, I would prefer that my data be viewable in ad hoc database queries and error reporting but for certain data like credit card numbers and social security numbers it is best that you don’t store the actual values in the database. Data can be stolen from a database. There are many media reports about companies that allowed customer data to be stolen from laptops, database back ups, or insecure web applications. Companies can be held liable for data theft. As long as the sensitive data is encrypted in the database, it is not going to matter if it is stolen. Even a SQL injection attack will be ineffective if the cleverly crafted SQL statements bypass the application logic and merely retrieve encrypted data.

I’m not going to show any source code on this topic because WordPress is giving me too much trouble with source code formatting and I don’t want this particular code to be publicly available (not that it is unique or anything special).

Posted in ASP.NET | Leave a comment

Programmers, Hackers, and Web Application Security

Some people are quite fearful of programmers and web developers. When a company has to let go of a developer there is usually a lot of fear that the disgruntled employee will hack their network or web site. There will usually be a frantic rush to change passwords and tighten security. Quite frankly, this is a misguided precaution because most programmers and web developers don’t know much about hacking. The truth is hacking is hard work and a specialized skill. Most programmers don’t have the time to learn how to hack sites or networks. A serious developer will only be interested in learning skills that have some value in the workplace. He will not want to spend a lot of time and hard work doing something that could only get him in trouble.

However there are some forms of hacking that a web developer should be familiar with in order to create secure web applications. A web developer needs to understand SQL injection attacks and cross-site scripting attacks. These two types of vulnerabilities are specifically due to poor web application design and can only be corrected by sophisticated coding. I’ve bought a book entitled Hacking the Code: ASP.NET Web Application Security by Mark M. Burnett and James C. Foster which I plan to read soon.

Another security issue that web developers usually need to deal with is the web server configuration. Disabling a web site’s directory browsing and managing anonymous access and authentication are common tasks. Unfortunately, most web developers are more interested in opening up permissions in order to get their web applications working than they are in tightening permissions.

It is not enough to just learn how to prevent SQL injection and cross-site scripting attacks. A lot of books and technical articles limit themselves to describing best practices and never tell you how to execute these attacks or provide working exploits. Although this is an understandable precaution, you can never be sure that your counter measures will work unless you can test it. A very minor coding error can leave you vulnerable and the only way to ensure your security is to try the exploit against your web application as a test. You can never assume that you are secure without testing it and this requires actual knowledge of how to make an attack.

And by the way, it is usually a bad idea to let go of your web developer. Not because of security concerns but because your web developer will have built up considerable expertise in working with your web applications and you should not throw that away.

Posted in General | Leave a comment

Mashup With ASP.NET 2.0 Web Parts

Here is a video I created to demonstrate my custom mashup. I won’t be posting much source code anymore because the last two blog entries gave me a lot of problems. I spent several hours fighting with WordPress to get the blocks of code to display properly.

I need to find a cheap web hosting company where I can make my experimental web applications available to the prospective employers.

Posted in ASP.NET | Leave a comment

Using JavaScript Within XSL

I have upgraded to Visual Studio 2005 Professional and I now have the XML menu with the Show XSLT Output and Debug XSLT submenu items. Unfortunately, it does not appear to work. I get an error. I searched on the Internet and only found one forum thread about this error so apparently not many developers are trying to debug XSLT. I think this is a clue that not many developers are doing anything complicated with XSL. I’m also not finding much discussion about web parts. XSL can get quite complicated and I think developers really need better tools to work with it. While working with the YouTube API yesterday I ran into three more problems that required solutions. First, I had to construct a link using an XML element in the URL. Second, I had to format a number to use commas to show thousands. And third I needed to convert seconds into minutes. That proved to be the most complicated problem of all.

For the first problem involving the link, I found the solution was to use curly braces to create an attribute value template which allows you to assign a value to an attribute in the output using an expression, rather than a fixed value:

A link with link text.

<xsl:if test="position() mod 2 = 1">
<
tr bgcolor="#EFF3FB">
<
td valign="top">
<
b>From: b>
<
a href="http://www.youtube.com/user/{author}">
<
xsl:value-of select="author"/>
</
a>
<
b> Views: b>
<
xsl:value-of select=”format-number(view_count, ‘###,####,###’)/>
</
td>
</
tr>
</
xsl:if>

An image link.

<td width="150" rowspan="5" valign="top">
<
a href="{url}">
<
img>
<
xsl:attribute name="src">
<
xsl:value-of select="thumbnail_url" />
</
xsl:attribute>
</
img>
</
a>
</
td>

The solution to the second problem I had formatting numbers can be found in the code above. You just use the format-number XSLT Function. This will format numbers into thousands with commas. Some videos have millions of views so this was necessary for the view count.The third problem I ran into was due to the YouTube API returning the running time of a video entirely in seconds. However, on the YouTube web site you can see they show the running time in minutes and seconds. Therefore I needed to convert seconds into minutes. Unfortunately, there is no built-in XSLT Function capable of doing time conversions. I did find some JavaScript capable of converting seconds into minutes so I began my quest to use JavaScript within my XSL file. After trying two methods that did not work I finally managed to come up with this code:

1. Declare a namespace for your methods in the  element

<?xml version="1.0" encoding="utf-8" ?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:msxsl="urn:schemas-microsoft-com:xslt" xmlns:extension="http://extensionnamespace">

2. Call the JavaScript function in a xsl:value-of select element and pass it a XSL variable. the XSL variable is given the value of a XML element and referenced using a $ sign.

<xsl:if test="length_seconds != ''">
<
xsl:if test="position() mod 2 = 1">
<
tr bgcolor="#EFF3FB">
<
td valign="top">
<
xsl:variable name="pos">
<
xsl:value-of select="length_seconds"/>
</
xsl:variable>
<
xsl:value-of select=”extension:secs2mins($pos)/>
</
td>
</
tr>
</
xsl:if>

3. Enclose the JavaScript in CDATA tags

<msxsl:script language="JScript" implements-prefix="extension">
[CDATA[
function secs2mins(s) {
var mn = Math.floor((s%3600)/60);
var sec = round2(s%60);
return mn + ':' + sec;
}
function round2(myNumber) {
return Math.floor(Math.round(myNumber * 100)) / 100
}
]]>
</
msxsl:script>

Posted in General | Leave a comment

XML & XSL – LiveVideo API

Yesterday I created a web part to show video comments using the LiveVideo API. The API returns XML so I had to format it using XSL (Extensible Stylesheet Language) which is a stylesheet for XML. I used Visual Studio 2005 Standard Edition. Unfortunately, the XSLT editor/debugger features are only included in the Professional and higher levels of Visual Studio 2005. Since many web services and APIs (Application Programming Interface) return XML, I thought it was worth the time to explore transforming XML through XSL.

I ran into three problems requiring solutions. First, I had to display an image using the web address for the image found in an XML tag. Second, I had to format a date that wasn’t in a very readable format. Third, I wanted to alternate the table row colors.

For the first problem involving the image, I found the solution at TopXML. The exact syntax gave me a lot of problems because you should not use the @src they show.

<img>
<xsl:attribute name="src">
<xsl:value-of select="profileThumbnail" />
<
/xsl:attribute>
<
/img>

For the second problem involving the date format, I found the solution at John Workman's weblog. You need to use another XSL template to format a date. I had to edit his FormatDate template because it did not format the date as I wanted it.

<xsl:call-template name="FormatDate">
<xsl:with-param name="DateTime" select="entryDate"/>
...................

</xsl:call-template>

For the third problem involving alternating table row background colors, I found the solution at William Pohlhaus’ Web Site. It is a neat trick using the XML element position and the math function mod.

<xsl:if test="position() mod 2 = 1">
<tr bgcolor="#EFF3FB">
</xsl:if>
<
xsl:if test=”position() mod 2 = 0″>
<tr bgcolor=”#FFFFFF”>
</xsl:if>

After solving those problems for my web part I explored XSLT using PHP. Unfortunately, my web hosting company does not appear to have any of the required extensions installed to support XSLT in PHP. I have PHP 5.0 installed on my local web server and I found the following code works:

// Load the XML source
$xml = new DOMDocument;
$xml->load('LiveVideo.xml');
$xsl = new DOMDocument;
$xsl->load('LiveVideo.xsl');

// Configure the transformer
$proc = new XSLTProcessor;
$proc->importStyleSheet($xsl);

// attach the xsl rules
echo $proc->transformToXML($xml);?>
Posted in General | Leave a comment

Mashup Sites – A Review

Today I investigated several other mashup sites to get an idea of how this technology can be used. I was impressed by the range of content you can include on your start pages. You can even submit your own content, i.e. blog feed, or develop your own widgets. I searched for a directory of pre-built web parts to use in an ASP.NET 2.0 mashup but there does not appear to be any.

One of the mashups I already knew about is Pageflakes which is famous for its innovative use of AJAX. I spent some more time customizing my content on this site. I was able to add YouTube user videos and DailyMotion featured videos. I was unable to find any widgets for LiveVideo or Stickam on any of the mashup sites I looked at. On the Reading page I added some RSS feeds that interest me including Slashdot, The Code Project which is about ASP.NET, and TechCrunch. I submitted this blog’s feed and it was accepted so I’ve added a Pageflake chicklet that you can click to automatically add this blog RSS feed to your Pageflake content. This is a good example of how you can use mashups to distribute your content and promote your web site. There is also an eBay widget available for Pageflake which allows you to keep track of your bids, your auctions, or search for items. This web site is genuinely useful because on one page I can see if my favorite vlogger has posted a new video, search Google, search Wikipedia, check my eBay bids, and watch the clock!

Another mashup I looked at is Netvibes. It features a video search that includes Google Video, YouTube, and DailyMotion plus three others. I found Newsvine listed in the feed Directory under Top Headlines, US. I was able to add my blog feed and publish it on the Netvibes ecosystem. I liked the wide selection of news feeds and information sources. You can also add blog search, eBay, an aquarium with fish, and a calculator.

The most interesting thing I found on Webwag is live French TV which I wound up watching rather than exploring the site. The only channel you can watch is BFM TV. I’ve cancelled my cable TV so even French television is better than nothing. However, Webwag does not appear to have very many widgets available and even the RSS feeds are limited although I was able to add my blog feed.

Protopage has a very colorful user interface. It has the Protopuppy which appears to be a virtual pet toy. The Video Podcasts page had a lot of unfamiliar content. I only recognized the Ask A Ninja podcast because he seems to be everywhere. I was also able to add my blog feed to this mashup. I did find a widget for YouTube’s recently featured videos but it failed to index my favorite vlogger’s RSS feed.

Last, but not least, I should mention My Google, or Google IG which is their AJAX desktop (also known as “Personalized Home”). It features a wide variety of widgets. You can even add a Microsoft Outlook widget which will display emails in your Inbox, your calendar, your tasks, or your contacts. Then there are odd widgets like Buddhist Thought Of The Day, ImageShack Hosting, and tiny games like Haunted House which will randomly try to scare you. If you search for homepage content using the keyword “Williamsport” you can add my blog feed but it is not a very obvious method.

Posted in General | Leave a comment

Custom Web Portals With ASP.NET 2.0

I really like the new web portal applications you can create in ASP.NET 2.0 so I have used this technology to create a custom mash up for myself. A mashup is a website or application that combines content from more than one source into an integrated experience. My portal features four web parts which I created based on my personal interests. Each web part is actually a custom user control. I’ve never done much with user controls except for a few that I use with Storefront 6.0.

The first web part is headlines from Newsvine. I used the RSS feed for the Web Development Group on Newsvine because that topic is interesting to me. For the code, I used Scott Mitchell’s RssFeed, an open source custom ASP.NET server control that displays the contents of a specified RSS feed in an ASP.NET web page. I had to recompile it for ASP.NET 2.0 using Visual Studio 2005 and then import its dll into my project.

The second web part shows the Stickam online presence of several YouTube celebrities. This is based on some custom programming that I wrote using the Stickam API which returns data as XML. I just converted my ASPX page to a ASCX page to make it a user control. It is useful for telling me when my friends are available for live web cam chat.

The third web part gave me a lot of trouble. It shows the local weather from the National Weather Service. There were several web controls available for this purpose but I tried three of them until I found one that works. The best method used NOAA’s National Weather Service XML feeds and formatted the result using a XSL file. An XSL file is like a style sheet for XML. You can find the source code at: http://aspalliance.com/1121

After that I was getting tired of struggling with other people’s code so I just created another user control for a RSS feed. YouTube provides RSS feeds for a users’ videos so you can watch somebody’s videos in a RSS feed reader without being counted as a subscriber. My forth web part just shows the YouTube videos of a comedian I choose because he doesn’t have a lot of videos.

Unfortunately, I don’t have an ASP.NET 2.0 web site to host my custom web portal. It is running on my local development web server which is fine for my personal use. However, you can view a screenshot below to see how it looks. Click on the thumbnail for a larger view:

Free Image Hosting at www.ImageShack.us

Posted in General | Leave a comment

ASP.NET 2.0 – Database

I have finished reading my book on ASP.NET 2.0. There were two chapters on the new database server controls for ASP.NET 2.0. The new database controls eliminate the need to create database connection, command, and reader objects which was a real pain.

I am still updating my notes with some new tidbits of information I gleamed while reading the book. For example, I learned that literal dates should be surrounded by the # sign character rather than double quotes. And I discovered that an Import namespace directive in the global.asax will apply for the entire web application so you don’t need to add them to every ASPX page. This would save me a lot of time on my current project which needs to reference the System.Data and System.Data.SqlClient namespaces on every page.

After I have updated my notes I plan to search the web for some additional details on ASP.NET 2.0 and maybe start to learn how to use the AJAX server controls.

Posted in ASP.NET | Leave a comment

ASP.NET 2.0 – Security And Web Parts

Tonight I finished exploring the new security and web parts features of ASP.NET 2.0. The new security features are server controls for user login, password recovery, and new user registration. These server controls eliminate much of the repetitive coding required to implement a user registration and login system. For the PasswordRecovery server control I had to work through some SMTP errors because it emails a new password. My web.config file needed a section for the mail settings.

By default the password needs to be fairly complex with at least one non-alphanumeric character. That means the password needs to use a special character. I did not like that so I did some research and found an additional web.config section that can be added to change that requirement.

I especially like the web parts which allow you to easily create a custom web portal. I worked through the Browse, Display, Edit, and Catalog display modes. Web parts can use web services or user controls. The ASP.NET 2.0 For Dummies book did not provide any interesting user controls and the web service example was no longer active so I had to find a replacement web service. I’ll have to develop some user controls to display RSS feeds so I can create an useful web portal to run on my local web server. Microsoft has had “web parts” for a long time but this is the first simple implementation I’ve been able to understand.

I have the new AJAX extensions for ASP.NET 2.0 installed so I will need to spend some time learning how they work as well.

Posted in ASP.NET | Leave a comment

Studying ASP.NET 2.0

I have finally begun to study ASP.NET 2.0. I am currently reading ASP.NET 2.0 For Dummies by Bill Hatfield. I am up to chapter 13. Unfortunately, everything I have read so far has been really basic review of ASP.NET. So I skipped ahead to Part VIII, Exploring New ASP.NET 2.0 Features which has 4 chapters. I think these 4 chapters may represent the only new material in the book. I’ve read the chapter on master pages and the chapter on skins and themes. The other chapters are on security and web parts.

I may need to buy another book on ASP.NET 2.0 to learn more details about the new features. Before I do that I want to sell some of my other old technology books because I have books piled up all over the place.

Posted in General | Leave a comment

Updated Client List

I have updated my Client List to reflect the current state of my business. I have severed my business relationship with Car Accessories because they owe me a lot of money and refuse to pay it. I had to sic a collection agency on them.

I’ve removed the sentence about not accepting any new clients. That should not have been left up there. I am currently still very busy and have enough work to do, but I may need to find more clients soon. It depends upon how much work I can get done.

I would still like to find a full time job that pays benefits if I could find a job in the local area. I need to update all my online resumes because I don’t want to use Car Accessories as a reference anymore.

Posted in General | Leave a comment

Newsvine – A Social Networking Site Based On News

I’ve discovered a new social networking site today, Newsvine, which is based on news rather than video. Newsvine allows you bookmark any newsworthy content you find on the Internet which then becomes part of the news gathered on the site. You can also write articles and create your own column. You may even earn money from your column if it becomes very popular.

Some other features of Newsvine make it genuinely useful. You can create a collection of virtual newspaper clippings by clipping any news content you find interesting. You can comment on news articles and chat with other users about the news. Unfortuately the live chat is based on individual articles so you are unlikely to find anyone to chat with. This feature is pretty worthless. Even the top stories never have any people chatting. Like most social networking sites, you can add people to your friends list.

I have added their chicklet to my blog so you can seed newsvine with links to my blog articles if you find them newsworthy. In fact, I discovered Newsvine on LiveVideo which has the Newsvine chicklet on videos so you can do some social bookmarking.

Posted in General | Leave a comment

Creating Motion Graphics With After Effects

I have completed the first three chapters of Creating Motion Graphics With After Effects Volume 1: The Essentials. I read about keyframes and compositions and explored many features of the program. I also jumped ahead and read chapters 25, 26, and 28. I have begun to make better use of After Effects in my videos and recently completed a video using my photographs of the Lycoming Creek Flash Flood of 1996. I was able to zoom in on the photos and pan the camera from left to right and right to left to make the still images more dynamic.

A few professional filmmakers and film producers are now participating on the video sharing sites. You can even chat with people in the film industry on Stickam. They have generated a lot of excitement among the videobloggers who are learning how to do many sophisticated video effects like chroma keying (i.e. green screen).

Posted in General | Leave a comment

Web Site Design Using Photoshop – Sliced PSD

I’ve been too busy to blog but earlier in the week I had an opportunity to work on a web site design using Photoshop. I did not create a new design from scratch. I had to modify an existing web site design which was unable to stretch vertically or horizontally. The web site was using IFRAMES for the content area which created some problems with the cookie. The cookie was getting two email address values because the IFRAME page and the parent page where both setting the cookie. Using IFRAMEs is a terrible idea so I needed to modify the web site design to eliminate them.

First I had to create a sliced PSD of the original web site design because I did not have one. Then I used a copy of that PSD to erase some images that made the page difficult to split horizontally and vertically. That required a lot of tedious blending of the background color which used a gradient.

I learned a few new Photoshop tricks involving slices while working on this project. I disliked how the exported sliced images were numbered. This is terrible for search engine optimization because the file names are not meaningful. Also, you are unable to easily find an image in the images directory if they are all named the same except for a number. The way to avoid this is to right click a slice in Photoshop and select “Edit Slice Options”. You will then see a dialog box where you can change the name of the slice and enter the Alt tag. The name of the slice will be used as the file name when you export the design as HTML. You should definitely take the time to set those slice properties for the sake of organization and search engine optimization. This is the sort of detail that web designers too often overlook.

I also picked up a few tricks on controlling my slices which can be tricky. Just one pixel more and you wind up with an additional table row with a one pixel image. I learned to use layer based slices and I control my layer dimensions by inverting a selection and deleting everything except my selection.

Posted in General | Leave a comment

Installed DotNetNuke 4.4.0

Today I installed DotNetNuke 4.4.0 on my local web server. DotNetNuke is a web application framework written for ASP.NET. The installation gave me considerable problems because the installer could not establish a SQL Server database connection.

Then I created a second installation using Visual Studio 2005 and the DotNetNuke StarterKit. This went a lot more smoothly and gave me a Visual Studio project so I can begin to work on customizing DotNetNuke. DotNetNuke uses 62 database tables so it is a huge web application. I’m not sure I want to invest much time on it unless a client will pay me to use it for a project.

Posted in General | 1 Comment

Adobe After Effects 6.5 Standard

Today I received my boxed copy of Adobe After Effects 6.5 Standard from eBay. I was really glad to get this because the book I am reading Creating Motion Graphics With After Effects – Volume 1: The Essentials was written for version 6.5. Because I only had version 6.0 I was unable to open the example projects. I could not try many of the things explained in the book because the features did not exist in the previous version. The boxed version of Adobe After Effects 6.5 Standard also comes with a DVD of video tutorials.

It may take me an entire year to learn Adobe After Effects 6.5 Standard because it is a very complex program. However, you can do a lot of very creative and impressive video effects with Adobe After Effects 6.5 Standard. I am very pleased with the results of my numerous experiments although a lot of video editing programs come with built-in title effects that look about the same as my work. However, they don’t give you as much control and you can’t be very creative. I’ve become very familiar with Windows Movie Maker effects because you see them all the time on YouTube. They have become easy to spot.

Adobe After Effects 6.5 Standard

Posted in General | Leave a comment

Latest Database Work

I’ve upgraded to Microsoft Office 2007 and discovered that Outlook 2007 can export emails to Access 2007. I don’t think this was possible before. It is certainly useful because a lot of data comes in via email. When you export an Outlook folder to Access it will create a table named Email containing the fields; Subject, Body, FromName, FromAddress, FromType, ToName, ToAddress, ToType, CCName, CCAddress, CCType, BCCName, BCCAddress, BCCType, BillingInformation, Categories, Importance, Mileage, Sensitivity. Most of the data you want will be in the Body field so it will be necessary to extract text from that memo field. I had an Outlook folder for bounced email messages and I wanted a list of the email addresses that could only be found in the Body field. In order to get the email addresses from that field, I wrote a script to loop though the records. I used a regular expression to find the text that matched the email address format and then wrote that string value to a text file.

I’ve also been doing more work with MySQL because it is more affordable than SQL Server. I recently created a batch file to automate a MySQL backup using mysqldump. The most difficult aspect of the batch file was appending the current system date to the file. Fortunately I found some sample code on the Internet that returns the system date in a valid format for file names; with dashes rather than backslashes. I then created a scheduled task to run the batch file. I also learned how to restore a MySQL database from a mysqldump backup although in this case I was just updating the copy of the database on my system.

Today I learned how to use match collections with regular expressions in ASP.NET. I had some sample code for regular expressions but I never worked out how to get a collection of string matches before.

I also installed OsCommerce on my local web server and worked through various hurdles to get it running. I had to edit my php.ini file and mess around with file permissions and directory file paths. I documented all the necessary steps, fixes, and work arounds for future reference. OsCommerce is a free shopping cart web application which I frequently recommend to my clients but I have not been asked to customize it yet.

Posted in General | Leave a comment

Internet Video Developments

I’ve found a few interesting web sites that are taking Internet video in new directions. Podzinger attempts to index the audio of YouTube videos so you can search for a word that has been spoken by a video blogger. This is significant because you can’t really search video content except for the tags that people enter into the form when they upload the video and that often contains popular usernames or spam words that have nothing to do with the video’s topic. Podzinger even gives you the timecode where the word appears in the audio. Needless to say, it is not always accurate. When you play the video you will often find the spoken word was different. This must be similar to the spy technology used to search recorded phone conversations for keywords.

Another interesting development is the ability to insert advertisements in your embedded videos with your own custom logo “watermark”. This technology is being developed by AdBrite InVideo but it is currectly in beta now. It promises to allow you to earn money from your videos, even when they’re embedded into other peoples’ Web sites.

You can buy web application software to run your very own video sharing site but the bandwidth charges and disk storage space required would cost a lot of money. I have found some software that appears to be used by a lot of sites, AlstraSoft Video Share Enterprise. A more reasonable option would be a specialized video sharing hosting company. There is a video portal available from GetYouTube.com which offers a platform for running a video sharing site on their servers. As they note, you would need a string of servers in a cluster to handle the video encoding.

My latest After Effects title animation uses a text animator to make the individual letters in the words fall into place and fade up. It animates the position, opacity, and start parameters. I have skipped ahead to chapter 25 of my book to learn this technique because I like how these text animations are turning out.

Posted in General | Leave a comment

How To Allow Video Embeds In WordPress’s HTML Editor

My hosting company finally upgraded my WordPress version to 2.0.4 after I complained about the old version I was forced to use. This was important to me because I have done some work creating custom WordPress designs and I wanted to show off a fancy custom design on my blog. It also makes it easier to deal with all the spam comments this blog receives.

WordPress has an HTML editor called TinyMCE which does not allow you to embed videos. The embed tag is not allowed in the HTML but you can edit a file to change that. Find the file tiny_mce.js in the directory wordpress/wp-includes/js/tinymce/. Edit line 101 which reads:

this.defParam("extended_valid_elements", "");

Change it to read:

this.defParam("extended_valid_elements","embed[style|id|type|src]");

After you save that file you should be able to paste video embed code into the WordPress rich editor, TinyMCE. Please note that you should only use the embed tag and leave out the surrounding object tag.

http://wiki.moxiecode.com/index.php/TinyMCE:Configuration/extended_valid_elements

Posted in General | Leave a comment

Video Bloggers Abandon YouTube For LiveVideo

Video bloggers are abandoning YouTube in favor of a new video sharing site, LiveVideo, which can be found at: http://www.livevideo.com/. YouTube users have been frustrated by problems with the site’s messaging system. Many people have had problems posting comments on videos. Other complaints include the ability to cheat your way to the top of the Most Viewed list, the inability to effectively ban haters (i.e. very abusive users and stalkers), the prominence given to commercial media (i.e. featuring videos from CBS, NBC), and a lack of communication from YouTube. I have been unable to update my channel graphic because the form for uploading the image has two nested form tags with the enctype=”multipart/form-data” attribute. I have reported this problem to YouTube but they have not fixed it.

I have an account on LiveVideo at: http://www.livevideo.com/rrobbins. I have found and subscribed to 50 YouTube video bloggers. I suspect there are really less than a hundred genuine video bloggers on YouTube because there is a relatively small number of people that are regulars on Stickam. LiveVideo allows you to customize your channel. You can edit the CSS style sheet and paste in HTML for your channel header. The video quality is better than YouTube and the audio is in stereo rather than mono. I am embedding one my videos from LiveVideo below in order to see how their video embeds look.


Williamsport Web Developer

Posted in General | 1 Comment