Tuesday, April 27, 2021

Creating your website with wix



Design and build your own high-quality websites with the Wix website builder.
Really easy. to find out more...

Monday, April 20, 2020

Landing Page & Blog Posts Page

To create a landing page:
Dashboard > Settings > Search Preferences > Custom Redirects > 'From /' > 'To /p/your page name'


Blog Posts Page:
Depends on your Theme. I am using Theme SIMPLE.
I created a 'Blog Tab' under the Cross Column > Pages to show > + Add external link > https://www.yourwebsite/search/label/specific_label




This website would be useful, to remove the title 'Showing posts with Label. Show All Posts.'


Remove the code below in your html:

     
     

       

         
       

       

         

           

         

       

     

     

     

   



(reference: https://www.howbloggerz.com/2016/02/how-to-remove-change-showing-posts-with-label-blogger.html)


However, I have encountered problems saving the altered html in chrome browser but after trying internet explorer, it works.

Sunday, September 23, 2012

Course Era

"We are a social entrepreneurship company that partners with the top universities in the world to offer courses online for anyone to take, for free. We envision a future where the top universities are educating not only thousands of students, but millions. Our technology enables the best professors to teach tens or hundreds of thousands of students." to find out more... 
Passage from https://www.coursera.org/about

Saturday, January 01, 2011

Adding blog to facebook

"# Sign-up for a Twitter account
# Sign-up for an account at TwitterFeed.com
# Add the Twitter app on Facebook
# Link your Twitter feed to your Facebook account so all updates go to Facebook
# Use TwitterFeed to pull your latest posts title and URL and feed it to Twitter
# FINAL: Your Blog’s Feed->TwitterFeed->Twitter->Facebook
Read more: http://www.ginside.com/2009/2903/adding-blog-facebook/#ixzz19mVOHLrv"
Passage via http://www.ginside.com/2009/2903/adding-blog-facebook/ 
My twitterfeed here:
http://architectureyp.blogspot.com/feeds/posts/default?alt=rss

Friday, December 17, 2010

Zoom

Interesting Image tool for bloggers here~! Zoom.it

Saturday, March 20, 2010

Vue Tufts

"The Visual Understanding Environment (VUE) is an Open Source project based at Tufts University. The VUE project is focused on creating flexible tools for managing and integrating digital resources in support of teaching, learning and research. VUE provides a flexible visual environment for structuring, presenting, and sharing digital information." to find out more...

Sunday, March 14, 2010

Yahoo Pipes


Learn How to Build a Pipe in Just a Few Minutes @ Yahoo! Video
"Pipes is a powerful composition tool to aggregate, manipulate, and mashup content from around the web." to find out more...

Tuesday, October 06, 2009

OneNote Microsoft 2007

A notepad program for easy, useful and user friendly note organisation stored in digital format.

Tuesday, September 29, 2009

Photoshop techniques - how to draw a dotted line

Photoshop simple dot techniques:-
Marque > right click > make work path > go to 'paths' panel > right click Work Path > Stroke Path > Brush( Brush must be set with dotted property)
Brush > click triangular icon > set brush size > then load brush panel > check Shape Dynamic under Brush preset > adjust spacing accordingly
How to make a path:-
Rectangular (u) > select pen with 4 rectangular dots > draw path > stroke path with intended brush

Wednesday, September 23, 2009

SQL practice

Useful SQL practice procedure as below:-
Microsoft AQL Server - SQL Server Enterprise Manager
Click Microsoft SQL Server
right click SQL Server Group
New SQL Server registration
next
select ICIS-HP580A
Add
next
slect SQL Server Authentication
Click Promp for the SQL Server account information when connecting
select Add the SQL servers to an existinfSQL server group
next
finish
close


right click ICIS_HP580A
Slect connect
login name: E5706
password:E5706
In left panel
select ICIS-HP580A - database E5706

create table
- tools
- SQL Query Analyser

/create table

Create table persons_Lane
StudentID Varchar(10)
StudentName Varchar(60)
Age int,
DOB Datetime

click run icon
refresh table

/insert row
insert into persons_Lane (studentID, studentName, Age, DOB)
values ('S1234567T', 'Lane',30,'1/1/1980')

/drop column
Alter table person_Lane drop column studentID

Monday, September 21, 2009

How to adjust image in blogger?

A default image size is set in blogger of 400px in width size. You can adjust the width to your intended size, delete the height and the image shall be updated to the right scale automatically.

Monday, August 24, 2009

Cisco Networking Academy Program

Borrowed 2java books of cisco regarding Java Programming.
A great guide for beginners.

Wednesday, August 19, 2009

java tutorials

"The Java Tutorials are practical guides for programmers who want to use the Java programming language to create applications. They include hundreds of complete, working examples, and dozens of lessons. Groups of related lessons are organized into "trails"." to find out more...

Wednesday, March 04, 2009

What is constructor?

Constructor is function specialized for class.
When a class is built, a default constructor is built for it.

class CRec {
int width, height; //private data member
public:
CRect(int,int); //declaring ctor
int area() { return(width*height)};
};

CRec::CRec(int a, int b) // defining ctor
{
width = a;
height = b;
}

int main() {
CRec rect(3,4); //create object rect
CRec retb(5,6);

//use the objects created and call the member functions
cout<< "rect area;" << rect.area() <cout<<"rect area:"<return 0;
}

the objects of this class is created through int main(), instead of stating at the end of class.
constructors cannot be called explicitly as if they regular member functions. They are only excuted when a new object of that class is created.

and Constructor can be overloaded same as function but the compiler will call the one whose parameres matches the arguments used in the function called for example:

//declaration
class CRec{
int width, height;
public:
CRec();//default ctor
CRec(int, int);//ctor(overloaded)
int area (void){return(width*height);}; //inline function
};

//implementation
CRec::CRec(){
width = 5;
height=5;
}

CRec::CRec(int a, int b){
width = a;
height=b;
}

int main(){
//create objects
CRec rect(3,4);
CRec rectb; //default ctor called and () is not required or allowed.

//use objects
cout <<"rect area:" <cout<<"rectb area:"<return 0;
}

How to build structure and classes in C++

How to use structure in C++?
//3 things only~ define the name, the members and the object names.

struct structure_name { member1, member2,member3...}object_names;

//Just to give a group of objects, its' particulars; that's the objectives.

How to define a class in C++? What's the difference with structure?
//Same method with structure but a little bit further than structure.

class class_name{ member1,member2..., function1,function2...}object_names;

//Instead of holding only data, class holds functions;that the difference, another important concept is the encapsulation thingy, defining the members into private(accessible by same class or friends)||protected(access by same classes as well as classes derived) ||public classes(access by all members), by default it is set as private mode.

More things to learn~
:: and . are calling methods from the class members.
for example:


#include
using namespace std;

class CRec{
int x, int y;
public:
void set_value (int , int );
int area() {return(x*y);} // inline function
};

//member function defination
void CRec::set_value(int a, int b) {
x=a;
y=b;
}

int main(){
CRec rect;
rect.set_value(3,4); //defining member value
cout<<"area:"<<
}




Sunday, March 01, 2009

constant prefix

Something confusing to be clarified in c++. What is const for?
It is just a prefix to create a read only variables. Once added for example const int PI= 3.1416, the PI integer is fixed and not allowed to be changed!
double is just a precision definition for the integer defined. to find out more...

How to call create a function in C++?
3steps -
1. Declaration -- just meant naming the function, for example "void declaration( X)"
2. Definition-- means tasking the function " void declaration (X) { statement }"
3. Calling -- just put the "declaration(x)" to intended location in your program.

Sunday, February 15, 2009

IDA Programmes

"Singapore's infocomm sector is a key contributor to its economy. Revenues for the infocomm industry hit S$51.7 billion1, this represents a 13.8 per cent growth from 2006 to 2007.
Infocomm has greatly enhanced Singapore’s competitiveness by raising productivity and transforming business processes. For five consecutive years, Singapore has been in the top three positions in the World Economic Forum’s Global IT Report. In the latest ranking, Singapore was ranked fifth globally.
The Accenture's e-government study2, "Leadership in Customer Service: Delivering on the Promise", placed Singapore 1st among 22 countries, ahead of Canada and the United States of America.
Today, many top technology companies have made Singapore a key node in their global network, a strong testament of the country’s strategic position to be a global infocomm hub." to find out more...
Passage from http://www.ida.gov.sg/Infocomm%20Industry/20060406160952.aspx

Thursday, February 12, 2009

Merging pdf files online

Lots of free stuff online for example merging pdf files online. However, just limited version. to find out more...

Thursday, February 05, 2009

Constructor

"Constructors in C++ are special member functions of a class. They have the same name as the Class Name. There can be any number of overloaded constructors inside a class, provided they have a different set of parameters. There are some important qualities for a constructor to be noted.
  • Constructors have the same name as the class.
  • Constructors do not return any values
  • Constructors are invoked first when a class is initialized. Any initializations for the class members, memory allocations are done at the constructor.
In the example class given below in this C++ tutorial has the constructor Example_Class(), with the same name as the class." to find out more...
Passage from http://www.codersource.net/cpp_tutorial_class.html

Tuesday, February 03, 2009

Open Source Software ~ INKSCAPE

"Inkscape is an Open Source vector graphics editor, with capabilities similar to Illustrator, CorelDraw, or Xara X, using the W3C standard Scalable Vector Graphics (SVG) file format.
Inkscape supports many advanced SVG features (markers, clones, alpha blending, etc.) and great care is taken in designing a streamlined interface. It is very easy to edit nodes, perform complex path operations, trace bitmaps and much more. We also aim to maintain a thriving user and developer community by using open, community-oriented development.
" to find out more...
Passage from http://www.inkscape.org/

Sunday, February 01, 2009

C++ notes

I am going into C++ and find it an challenging approach for an architect. Interesting and yet need much focus and effort for a beginner. Let's start the journey towards C++..
caterpillar

Saturday, July 26, 2008

Markup Validation

You can learn from mistakes and there are one GURU out there that teaches you with corrections. to find out more...

Thursday, July 24, 2008

w3school

Well, still, the w3school is the best. There are examples and clear explainations of showing how things work. Please donate if possible, the work of w3school deserves it. to find out more...

Tuesday, July 22, 2008

Duoh

One important website your cannot miss~ Duoh

Bloggero

This is one of the most preferable template with simple and clean outlook I prefer to the others. to find out more...
And another good one from http://www.bloggerbuster.com/2007/07/create-three-column-blogger-template.html

Well styled

Color~
Colour~
COLOURS~!
Having a nice colour scheme would not only make you looks good but it creates more importantly an image or feeling for your readers. The colours represents your character, your identity and creates emotions.
Either you intend to create high contrast, light colours or eyes capturing colours. It matters.

Photoshop Web Template

Here is another useful link for your own design of blog template~! Happy designing~! to find out more...

Monday, July 21, 2008

Blogger templates

I am trying to improve my blog layout and template and realized there are plenty of free and beautiful templates available. to find out more...

Friday, October 19, 2007

Ajax

"ASP.NET AJAX is a free framework for quickly creating a new generation of more efficient and interactive Web experiences that work across all the most popular browsers.

With ASP.NET AJAX you can:

  • Create next-generation interfaces with reusable AJAX components.
  • Enhance existing pages using powerful AJAX controls with support for all modern browsers.
  • Continue using Visual Studio 2005 to take your ASP.NET 2.0 sites to the next level.
  • Access remote services and data from the browser without tons of complicated script.
  • Enjoy the benefits of a free framework with technical support provided by Microsoft." to find out more..
Passage from http://www.asp.net/ajax/

Visual Web Developer

"An ASP file can contain text, HTML tags and scripts. Scripts in an ASP file are executed on the server.

What you should already know

Before you continue you should have some basic understanding of the following:

  • HTML / XHTML
  • A scripting language like JavaScript or VBScript

If you want to study these subjects first, find the tutorials on our Home page.


What is ASP?

  • ASP stands for Active Server Pages
  • ASP is a program that runs inside IIS
  • IIS stands for Internet Information Services
  • IIS comes as a free component with Windows 2000
  • IIS is also a part of the Windows NT 4.0 Option Pack
  • The Option Pack can be downloaded from Microsoft
  • PWS is a smaller - but fully functional - version of IIS
  • PWS can be found on your Windows 95/98 CD
  • ASP Compatibility

  • ASP is a Microsoft Technology
  • To run IIS you must have Windows NT 4.0 or later
  • To run PWS you must have Windows 95 or later
  • ChiliASP is a technology that runs ASP without Windows OS
  • InstantASP is another technology that runs ASP without Windows

What is an ASP File?

  • An ASP file is just the same as an HTML file
  • An ASP file can contain text, HTML, XML, and scripts
  • Scripts in an ASP file are executed on the server
  • An ASP file has the file extension ".asp"

How Does ASP Differ from HTML?

  • When a browser requests an HTML file, the server returns the file
  • When a browser requests an ASP file, IIS passes the request to the ASP engine. The ASP engine reads the ASP file, line by line, and executes the scripts in the file. Finally, the ASP file is returned to the browser as plain HTML"[1] to find out more...
"And ASP.NET is a free technology that allows anyone to create a modern web site.
To get started creating dynamic web sites with ASP.NET, you will need the following two downloads. Both downloads are free, and both are provided in your choice of language."[2] to find out more...

Passage [1] from http://www.w3schools.com/asp/asp_intro.asp
Passage [2] from http://www.asp.net/


Sunday, October 14, 2007

css weblog

A informative web layout for your reference here http://weblog.infoworld.com/?source=nav_BLOGS

Tuesday, October 02, 2007

w3schools

HTML uses a hyperlink to link to another document on the Web.
More useful stuff here.

GPC FAQ (google page creator frequently asked questions)

"complete and comprehensive Google Page Creator Frequently Asked Questions. It has more than 100 questions covering registration issues, web designing and editing, cool features addition and troubleshooting. This FAQ contains some official Google answers and the best of Google Page Creator community's FAQ and help pages" to find out more...

Friday, August 31, 2007

Free web hosting

"A Free Hosting? Where is the catch?No catch, it's really free. We will never charge anything for it. You get everything for $0.00What are your guarantees?1. We guarantee that servers will be up at least till 2012 (everything is paid since year 2012).2. Bandwidth will never run out, we have dedicated 10mbit connection on each server.3. All accounts are backed up every 30 days and stored on remote server. Also you can generate and download your account backup from cPanel 24 hours a day, 365 days a year.Do you provide any support?Yes we provide hosting support, but we cannot help you create your website or install scripts. "
A free web hosting service from 000webhost.com ~!! to find out more...
Passage from http://www.000webhost.com/?id=1553

Saturday, September 02, 2006

Download accelerator

A great tool for accelerating your speed, a time saving tool that worth to take a look at.The download accelerator~! to find out more...

Saturday, August 12, 2006

Joomla

"Joomla! is one of the most powerful Open Source Content Management Systems on the planet. It is used all over the world for everything from simple websites to complex corporate applications. Joomla! is easy to install, simple to manage, and reliable." to find out more...
Passage from http://www.joomla.org/

Tuesday, May 23, 2006

cbprotect crack

To share something very interesting here.
For the olly program here.
Enjoy this~! It took me few days to do this.

Thursday, April 13, 2006

Salary Survey

Are you interested of knowing how much you can earn?

Tuesday, April 11, 2006

Blogging means business

"IBM executives Harriet Pearson and Willy Chiu discuss the power of building communities in the marketplace " to find out more...

Sunday, March 19, 2006

DemoGuide7i

A demo that demonstrates usage for generating web application.

Friday, March 17, 2006

Plentyoffish.com

There is a website discussing the success of this plentyoffish.com drawing more than $10,000 per day from Google.
"What’s the secret to his success? Ugly design. I call it “anti-marketing design.”...
He says that sites that have ugly designs are well known to pull more revenue, be more sticky, build better brands, and generally be more fun to participate in, than sites with beautiful designs..." to find out more...

Tuesday, February 28, 2006

SnagIt & Antispyware


There are two tool kits which I find very useful today. SnagIt and Antispyware. The first one is just to snap pictures you want from the screen and the second one is a prevention of spyware intrusion into your computer. Maybe you can download it from the internet. With SnagIt, you can simply cut and paste images you want for your presentations' purposes.

Saturday, November 19, 2005

Web Pages Layout

It is always simplicity that wins. We need pictures for the browser, a little explanation, and sidebar with tools, navigations and links. That's it with the body. The header will be nice to have drop down menu, if you can afford the time and efford. Footer would always be enlightened with copyright notice and few links. Advertisement is great if possible to be added at places recommended as layout in this webpage. Take a look at architectureyp reblog ruminations. You can play around with the sequence of eyesight and reading sequence~ middle, left and right or middle right and left or whatever you designed. Design the sequence.

Tuesday, November 15, 2005

20 reasons people links to your blog.

1. Because they are your friends
2. Because of your links, directories.
3. Useful information, research that attracts them.
4. Funny stuffs, jokes, oppions.
5. To gain attention.
6. To grow up their own network linkage.
7. To show that they are resourceful with your links covered.
8. To promote something to you/ for you. Example : tutorials.
9. To create blog sphere/ fratenity / blog environment.
10. Your blog is famous.
11. Certain specific topics you are running attracts them.
12. You teach them something.
13. You are beautiful/handsome/sexy/attractive individual.
14. You are highly educated/with respectful personality/ professionals.
15. You are politician that speaks everyday happenings.
16. You are anti-something that have share the same thoughts/oppinions.
17. Interesting photoblogs that people don't have and would like to have.
18. Business Opportunities/ you sell something.
19. You provide services/ discussions / raised forum.
20. You are leader/ religion related to them/ member of group activities.

Friday, November 11, 2005

Adobe Golive


Various of Html editing program and one of them is Adobe Golive, a all in one, one platform html code editing program with simple cut and past, drag and drop method of working process to enable people who don't have profound studies in html to be able to create their own webpage of websites. The above title links to defination and explanation of Adobe Golive. Tutorial and resourses, golive homepage and others relevant information can be found throught the links. Have fun.

Wednesday, November 09, 2005

Web page

"A Web page or webpage is a "page" of the World Wide Web, usually in HTML/XHTML format (the file extensions are typically htm or html) and with hypertext links to enable navigation from one page or section to another. Web pages often use associated graphics files to provide illustration, and these too can be clickable links. A web page is displayed using a web browser."
Redirected from Webpages, wikipedia

Sunday, October 02, 2005

Forum

The very basic matter in website building is html understanding. Your header, your body, you footer, your sidebars. That's it. Every website has its' standard. Just follow on will do, what is interesting is the content. Most interesting part is the participation of everyone who cares and the one who is interested.
To have forum establishing, go to webmaster.com/100webspace.com/freestarthost.com/bravenet.com/discuz.net

Sunday, September 11, 2005

Clock~!Time~! so many Gadgets out there~!

Time can even act as decoration~! Go get them~! Get into link from the dynamics!

Attraction

One thing that attracts me is the cute buttons most blogger installed at the side bars. It is all free of charge, and it makes an attraction as well as decoration in your site. Go get some you like~!

Saturday, September 10, 2005

Freefind

To maximize your traffic flow, let them find you~!
Subscribe to freefind as shown at sidebar now~!

Wednesday, September 07, 2005

Popup menu

The creation of :-
Popup menu
Mouse over script



Tuesday, September 06, 2005

Html & XHTML

As reference from on of the definations from google :-
HTML:-
"WWW documents are normally written in Hypertext Markup Language (HTML), the native language of the WWW. HTML enables links to be specified, and also the structure and formatting of Web documents to be defined. HTML documents are written in plain text, but with the addition of tags which describe or define the text they enclose. For example, a link is defined by the ANCHOR tag placed around the hyperlinked text. It specifies the URL of the 'linked to' document, eg Web Search Tools HTML is an evolving standardwww.terena.nl/library/gnrt/appendix/glossary.html"
Please link here for more detailed definations.

XHTML:-
"The Extensible HyperText Markup Language (XHTML™) is a family of current and future document types and modules that reproduce, subset, and extend HTML, reformulated in XML. XHTML Family document types are all XML-based, and ultimately are designed to work in conjunction with XML-based user agents. XHTML is the successor of HTML, and a series of specifications has been developed for XHTML. ~from w3.org HyperText Markup Language (HTML) Home Pagebizgrok.com/help/definitions/"
Please link here for more detailed definations.

The simplest thing is just change the html and modify the part into your intended format.
Just get the html of your targeted site from the tool bar, view , source.

Just as simple as abc.

Monday, September 05, 2005

Questions & Case study

In case to create a blog to earn, you must know how people are actually doing it.
The fastest way is to copy.
Analysis method 5w1hwhy, where, who, when, what and how
Storming Questions:-
1. Layout/Structure of the website
2.Structure of content
3.Where is the best place to set in advertisement
4.What is the best content that attracts people/What is your site's objectives and intention
5.How do you get feedback
6.How often should you update your content
7.Who is the targeted group
8.When does the targeted group goes online
9.Who else is browsing
10.How do you earn from your site
11.How do you get pay?
12.Security problems


I suggust we do it fast. Use the professional.I am now suggesting 2 case study on web business professionals:-
1.
Make_Money_Online
2.
Probloggers

Bloggers and income

There are so many bloggers out there, interesting site, fasinating content, attracting readers all around. Personal stuff are expose for self pleasure. News and stories and all sorts of articles are published through blogsites.
So be pleased~! The internet is like a jungle.
Get more traffic into your blog. Maybe even earn some side income.
Who knows you might be rich without even yourself knowing it. I shall try to explore and show some typical examples and explaining as soon as possible.
I shall have more links here.
Malaysia boleh.

Sunday, September 04, 2005

Website templates

Another thing you are interested would be templates. Other than the bloggers' standard templates, anything you would like to have?
http://www.hits4me.com/template

Menu Creation

This is a simple script to share, a simple Menu creation with a Go button :-




Another one without go button:-



Sharing

Let's share what we know for continuous improvement.

I am not an expert yet I can show you what I can do. 

Gadgets, tips, tools, links to web-page making and website enhancing. 

Sharing is Improving :) 
Related Posts Plugin for WordPress, Blogger...