WRT160N need to expand range....

Hi i have a WRT160N router, 2 floors below the computer im on now, is there anything i can buy to boost the wireless N signal up to the WUSB300N (usb adapter) for my old wireless-G network i use to use the WRE54G. (wireless-g expander) but i dont think there is such a thing for wireless-N.. what can i do?..

Try getting the wireless access point WAP54G in order to increase the network or boost the wireless signal...Also, for the N-series router & adapter open the setup page of router using 192.168.1.1 then put in the password as admin...all you need to do is do the wireless settings such as Radio Band Frequency to Standard 20 MHZ frequency,channel to 11.
Also,the advanced wireless settings to Beacon Interval=50,Frag
thres=2306 & Rts thres=2307 & then uncheck a Block Anonymous Internet
Requests & it will definately work!!!

Similar Messages

  • Need to expand tree by passing treeId thr URL not by clicking manually.

    Sub: Need to expand tree by passing Id thr URL.
    Hi,
    Here i have Library.java and ajaxTree.jsf files (collected from Jboss richfaces)
    There is having a list of artist .
    If u click on a particular artistname then the respective albums(with their checkboxes) will expand and show like a treenode.
    just look at d url : "http://localhost:8080/richfaces-demo-3.2.1.GA/richfaces/tree.jsf?c=tree&albumIds=1001,1002,1005,1008,1009,1010&client=0"
    I m passing album Ids and clientId in url browser and receiving in d Library.java.
    I need to expand the required client tree to show albums without clicking on artistname rather by passing the clientId from Url.
    I thnk one EventHandling class( PostbackPhaseListener.java ) is responsible for expanding but I m unable to understand.
    How can I do it.
    Plz help asap.
    /###############ajaxTree.jsf##########Start##############/
    <ui:composition xmlns="http://www.w3.org/1999/xhtml"
    xmlns:ui="http://java.sun.com/jsf/facelets"
    xmlns:h="http://java.sun.com/jsf/html"
    xmlns:f="http://java.sun.com/jsf/core"
    xmlns:a4j="http://richfaces.org/a4j"
    xmlns:rich="http://richfaces.org/rich"
    xmlns:c="http://java.sun.com/jstl/core">
         <p>This tree uses "ajax" switch type, note that for collapse/expand operations it will be Ajax request to the server. You may see short delay in this case.</p>
         <h:form>     
              <rich:tree style="width:300px" value="#{library.data}" var="item" nodeFace="#{item.type}">
                   <rich:treeNode type="artist" >
                        <h:outputText value="#{item.name}" />
                        </rich:treeNode>
                   <rich:treeNode type="album" >
                        <h:selectBooleanCheckbox value="#{item.selected}"/>
                        <h:outputText value="#{item.title}" />
                   </rich:treeNode>
              </rich:tree>
              <h:commandButton value="Update" />
         </h:form>
    </ui:composition>
    /###############ajaxTree.jsf##########End##############/
    /************************Library.java*********Start****************/
    package org.richfaces.demo.tree;
    import java.io.ByteArrayOutputStream;
    import java.io.IOException;
    import java.io.InputStream;
    import java.util.ArrayList;
    import java.util.HashMap;
    import java.util.Iterator;
    import java.util.List;
    import java.util.Map;
    import java.util.StringTokenizer;
    import javax.servlet.http.HttpServletRequest;
    import javax.faces.context.FacesContext;
    import org.richfaces.model.TreeNode;
    public class Library implements TreeNode {
         private static final long serialVersionUID = -3530085227471752526L;
         private Map artists = null;
         private Object state1;
         private Object state2;
         private Map getArtists() {
              if (this.artists==null) {
                   initData();
              return this.artists;
         public void addArtist(Artist artist) {
              addChild(Long.toString(artist.getId()), artist);
         public void addChild(Object identifier, TreeNode child) {
              getArtists().put(identifier, child);
              child.setParent(this);
         public TreeNode getChild(Object id) {
              return (TreeNode) getArtists().get(id);
         public Iterator getChildren() {
              return getArtists().entrySet().iterator();
         public Object getData() {
              return this;
         public TreeNode getParent() {
              return null;
         public boolean isLeaf() {
              return getArtists().isEmpty();
         public void removeChild(Object id) {
              getArtists().remove(id);
         public void setData(Object data) {
         public void setParent(TreeNode parent) {
         public String getType() {
              return "library";
         private long nextId = 0;
         private long getNextId() {
              return nextId++;
         private Map albumCache = new HashMap();
         private Map artistCache = new HashMap();
         private Artist getArtistByName(String name, Library library) {
              Artist artist = (Artist)artistCache.get(name);
              if (artist==null) {
                   artist = new Artist(getNextId());
                   artist.setName(name);
                   artistCache.put(name, artist);
                   library.addArtist(artist);
              return artist;
         private Album getAlbumByTitle(String title, Artist artist) {
              Album album = (Album)albumCache.get(title);
              if (album==null) {
                   album = new Album(getNextId());
                   album.setTitle(title);
                   albumCache.put(title, album);
                   artist.addAlbum(album);
              return album;
         private void initData() {
              artists = new HashMap();
              InputStream is = this.getClass().getClassLoader().getResourceAsStream("org/richfaces/demo/tree/data.txt");
              ByteArrayOutputStream os = new ByteArrayOutputStream();
              byte[] rb = new byte[1024];
              int read;
              HttpServletRequest request = (HttpServletRequest)FacesContext.getCurrentInstance().getExternalContext().getRequest();
         //     System.out.println("request.getParameter(param) "+request.getParameter("param"));
              //System.out.println("request.getParameter(client) "+request.getParameter("client"));
              //System.out.println("request.getParameter() "+request.getParameter("c"));
              try {
                   do {
                        read = is.read(rb);
                        if (read>0) {
                             os.write(rb, 0, read);
                   } while (read>0);
                   String buf = os.toString();
                   StringTokenizer toc1 = new StringTokenizer(buf,"\n");
                        String str1 = request.getParameter("albumIds");
                        int clientId1 =Integer.parseInt( request.getParameter("client"));
                   while (toc1.hasMoreTokens()) {
                        String str = toc1.nextToken();
                        StringTokenizer toc2 = new StringTokenizer(str, "\t");
                        String artistName = toc2.nextToken();
                        String albumTitle = toc2.nextToken();
                        String songTitle = toc2.nextToken();
                        toc2.nextToken();
                        toc2.nextToken();
                        String albumYear = toc2.nextToken();
                        Artist artist = getArtistByName(artistName,this);
                        Album album = getAlbumByTitle(albumTitle, artist);
                        String portfolios[] = new String[100];
                        Integer portfoliosId[] = new Integer[100];
                        int i = 0;
                        StringTokenizer st = new StringTokenizer(str1, ",");
                        while (st.hasMoreTokens()) {
                        portfolios[i] = st.nextToken();
                        if((songTitle.equals(portfolios))&&(!(songTitle == ""))){
                                  //System.out.println("ifff");
                                  album.setSelected(true);
                        i++;
                        album.setYear(new Integer(albumYear));
              } catch (IOException e) {
                   throw new RuntimeException(e);
         public Object getState1() {
              return state1;
         public void setState1(Object state1) {
              this.state1 = state1;
         public Object getState2() {
              return state2;
         public void setState2(Object state2) {
              this.state2 = state2;
         public void walk(TreeNode node, List<TreeNode> appendTo, Class<? extends TreeNode> type) {
              if (type.isInstance(node)){
                   appendTo.add(node);
              Iterator<Map.Entry<Object, TreeNode>> iterator = node.getChildren();
              System.out.println("walk node.getChildren() "+node.getChildren());
              while(iterator.hasNext()) {
                   walk(iterator.next().getValue(), appendTo, type);
         public ArrayList getLibraryAsList(){
              ArrayList appendTo = new ArrayList();
              System.out.println("getLibraryAsList appendTo "+appendTo);
              walk(this, appendTo, Song.class);
              return appendTo;
    /************************Library.java*********End****************/
    /************************PostbackPhaseListener.java*********Start****************/
    package org.richfaces.treemodeladaptor;
    import java.util.Map;
    import javax.faces.context.ExternalContext;
    import javax.faces.context.FacesContext;
    import javax.faces.event.PhaseEvent;
    import javax.faces.event.PhaseId;
    import javax.faces.event.PhaseListener;
    public class PostbackPhaseListener implements PhaseListener {
         public static final String POSTBACK_ATTRIBUTE_NAME = PostbackPhaseListener.class.getName();
         public void afterPhase(PhaseEvent event) {
         public void beforePhase(PhaseEvent event) {
              FacesContext facesContext = event.getFacesContext();
              Map requestMap = facesContext.getExternalContext().getRequestMap();
              requestMap.put(POSTBACK_ATTRIBUTE_NAME, Boolean.TRUE);
         public PhaseId getPhaseId() {
              return PhaseId.APPLY_REQUEST_VALUES;
         public static boolean isPostback() {
              FacesContext facesContext = FacesContext.getCurrentInstance();
              if (facesContext != null) {
                   ExternalContext externalContext = facesContext.getExternalContext();
                   if (externalContext != null) {
                        return Boolean.TRUE.equals(
                                  externalContext.getRequestMap().get(POSTBACK_ATTRIBUTE_NAME));
              return false;
    /************************PostbackPhaseListener.java*********End****************/
    Edited by: rajesh_forum on Sep 17, 2008 6:13 AM
    Edited by: rajesh_forum on Sep 17, 2008 6:18 AM

    Hi
    Can somebody please look into this?
    Thanks
    Raj
    Edited by: RajICWeb on Aug 9, 2009 4:38 AM

  • Small business needing to expand and deploy a network

    HI,
    I hope this is the correct forum to post this question.  If not, please move it to one more appropriate.
    We are a small company currently working from home but now have a need to expand into an office due to winning a contract with a large international organization.  We offer web market research services utilizing Web 2.0 techniques.  Our current 'network' infrastructure if you want to call it that is based around a standard home office scenarion - 24Mbit DSL 4 PC's, a couple of laptops, Dlink gigabit switch and the router from the telecom company.  Our printers are networked via the switch and we run Windows 7.  We have servers hosted in the Rackspace Cloud and with Amazon S3 but no current physical server.  Email is via a hosted Exchange package.
    Due to the new contract we will have to hire two to three additional personnel taking us to 7 staff in total and that requires a move to a dedicated office.  That wouldn't be much of an issue if we only needed to setup an office LAN but the crunch comes within the security protocols we are required to meet in the new contract.  We'll be storing customer data on servers and we'll require an audit of our systems once in place.  We will be scanned by our new client and expected to install a scanner appliance to be deployed on our internal network which will allow our new client to periodically scan us for network vulnerabilities.
    The key issue is that we have to have physical sight of the server that is holding the data, which also needs to have WAN access.  This server must reside on a network independent from our office LAN.  We'll need VPN access to this server.  The requirements document also demands a hardware firewall.  The new office has Cat6 cabling that routes back to a server room.  Apart from that, this room is empty.
    It's a bit of a daunting task and I'd like to know what equipment we'll require to setup two independent networks with WAN access.  The two new servers will probably come from Dell and will be rack mounted.  I'm sure we'll need the services of a network professional but I'd like to be clear in my own head about what components we will need to purchase to deploy this network, and what would be a suitable internet network connection.  The server for the new project will need to run a web and MySQL server and it will be accessed by around 600 people across Europe and the USA each month.  I can't give a clear figure on total bandwidth but the 600 people will be accessing a pretty standard WordPress site.  The number of users will increase to 6000 per month within 6 months.  On top of that office staff will be sending emails and using web services on a daily basis.  The office server will run Windows Server 2008 with 10 CAL's.  We have an initial capital budget of about $12,500.  Within 6 months we will need to deploy our own SharePoint server for this project.  A dedicated remotely hosted SharePoint solution will not be acceptable to the client.  More budget will be available for this.  Support will be delivered by Dell for the servers and network maintenance will be contracted out.
    Any help in making this a little less daunting would be much appreciated.
    Thanks in advance.

    Leo has given you some excellent advice ie. you cannot choose a kit list until you have a design. It just doesn't work the other way around. If you don't have the experience to design the solution then you can't really be choosing the kit. Otherwise when you do hire your consultant he might well be constrained by the kit already chosen and you will not get the best solution for your needs.
    Please don't take any of this the wrong way. NetPro is a great forum for helping people out with technical and design issues with Cisco equipment but there are times when NetPro is not the best solution and this is one of them. We could each give you a kit list of what we "think" is the best solution but that really should come from the designer.
    Jon
    Leo - will you please stop losing your points oops, and now they are back again

  • Expand Range referencing an excel cell

    Hi,
    I am creating an input schedule that should sort with a certain property.
    This property is derived from the entity's id eg.. S_Property, I use excel to remove the 'S_' and just return the word 'Property' which is then a property which I filter the account structure.
    Is it possible to reference an excel cell, eg =A20 in the memberset part of the expand range?
    I do the excel formula to remove the S_ in cell A20, as property="Property", and now I just want to reference cell A20 in the memberset part.
    If I reference the cell, all members in my account dimension gets returned. When I physically type in the words then it works fine, but when I reference the cell, then it doesn't work.. Is there another way I can get the value in cell A20 then into the memberset part?
    Hope someone can help.
    Regards
    Henry

    Dear Henry Pieters,
    I just give you the information that the memberset cell can refer the certain cell which you mentioned. Please you have to change the format cell of memberset is "General" and the reference cell is "Text". Maybe you can use the Ms.Excel function TEXT( ) or using single quotation mark (').
    Thanks,
    Wandi Sutandi

  • Sony S300 Blue ray player firmware update .exe file...need to expand

    Hello Everyone!
    I have a sony blue ray firmware update that is .exe that i need to expand to get the .iso file on mac osx leopard. I don't have windows installed and do not want to. the link to the file is...
    http://esupport.sony.com/US/perl/swu-download.pl?mdl=BDPS300&updid=4320&osid=7&ULA=YES
    i need help as my blue ray player really needs this update.
    Searched the internet and have not found any useful information as nothing suggested has worked.
    any suggested would be greatly appreciated.
    contacted sony and said they would ship a disc, but it's been like two months and still have not seen it.
    Clint

    I have been scouring the net today for this .iso file. Actually just bought this player for 50 bucks. Could you possibly email me that file. That would be wicked. My email is [email protected]
    Thanks!

  • OBY6 - need to expand a field

    Hi all,
    so I would need to expand a field in Additional Deatila of a Company Code. Old tax number was length 8 and new is length 11. Any pointers?
    Thank you and best regards!!
    D.

    SM31 transaction and the table is T001I, V_T001I. Then you just find the field you need and change the length. Did not try to add new fields.

  • Log in form, working just need to expand.

    Hello all,
    I have built a flex log in screen, but need to expand it a bit.
    At the moment it takes the values from the form (username and password) and looks in a database if those values are their and returns either true or false,  flex then looks at this value and either directs you to a new state or brings an error.
    This is all fine,  btu in my database i have added an extra field "level"  so now i have "username" "password" "level"
    basically depending on what level you are i want you to see a different state.
    Here is my code so far.
    <?xml version="1.0" encoding="utf-8"?>
    <s:Application xmlns:fx="http://ns.adobe.com/mxml/2009"
                   xmlns:s="library://ns.adobe.com/flex/spark"
                   xmlns:mx="library://ns.adobe.com/flex/mx" width="1024" height="768">
        <s:states>
            <s:State name="State1"/>
            <s:State name="Logged"/>
        </s:states>
        <fx:Declarations>
            <mx:HTTPService id="loginService" url="login.php" method="POST" result="loginResult(event)">
                <mx:request xmlns="">
                    <user>{username}</user>
                    <pass>{password}</pass>
                </mx:request>
            </mx:HTTPService>
        </fx:Declarations>
        <fx:Script>
            <![CDATA[
                import mx.rpc.events.ResultEvent;
                import mx.controls.Alert;
                [Bindable] public var username:String;
                [Bindable] public var password:String;
                private function tryLogin():void
                    username = usernameLogin.text;
                    password = passwordLogin.text;
                    usernameLogin.text = "";
                    passwordLogin.text = "";
                    loginService.send();
                private function loginResult(evt:ResultEvent):void
                    if (evt.result.status == true)
                        currentState='Logged';   
                    else
                        Alert.show("Login failedl", "Failure");
            ]]>
        </fx:Script>
        <fx:Style source="style.css" />
        <s:Panel x="387" y="242" width="250" height="146" title="Log in" dropShadowVisible="true" borderVisible="true" includeIn="State1">
            <s:Label x="10" y="25" text="Username:" fontFamily="Arial" fontSize="13"/>
            <s:Label x="10" y="55" text="Password:" fontFamily="Arial" fontSize="13"/>
            <s:TextInput x="85" y="20" width="153" restrict="a-z0-9A-Z" fontFamily="Arial" fontSize="13" fontWeight="bold" id="usernameLogin"/>
            <s:TextInput x="85" y="50" width="153" restrict="a-z0-9A-Z" displayAsPassword="true" fontFamily="Arial" fontSize="13" fontWeight="bold" id="passwordLogin"/>
            <s:Button x="168" y="81" label="Login" click="tryLogin()"/>
        </s:Panel>
        <s:Label includeIn="Logged" x="101" y="134" text="Welcome"/>
    </s:Application>
    and my php script
    <?php
    $hostname_conn = "localhost";
        $username_conn = "";
        $password_conn = "";
        $conn = mysql_connect($hostname_conn, $username_conn, $password_conn);
        mysql_select_db("videochat");
        //mysql_real_escape_string POST'ed data for security purposes
        $user = mysql_real_escape_string($_POST["user"]);
        $pass = mysql_real_escape_string($_POST["pass"]);
        //a little more security
        $code_entities_match = array('--','"','!','@','#','$','%','^','&','*','(',')','_','+','{','}','|',':','"','<','> ','?','[',']','\\',';',"'",',','.','/','*','+','~','`','=');
        $user = str_replace($code_entities_match, "", $user);
        $pass = str_replace($code_entities_match, "", $pass);
        $query = "SELECT * FROM usernames WHERE username = '$user' AND password = '$pass'";
        $result = mysql_query($query);
        $logged = mysql_num_rows($result);
        if ($logged == 1)
            echo "<status>true</status>";
        else
            echo "<status>false</status>";
        ?>
    Now i know i need to epxnad both, so that the php returns their level, but i am getting a bit stuck, any help ?
    Thanks

    hi,
    this is an example using zend services
    <?xml version="1.0" encoding="utf-8"?>
    <s:Application xmlns:fx="http://ns.adobe.com/mxml/2009"
       xmlns:s="library://ns.adobe.com/flex/spark"
       xmlns:mx="library://ns.adobe.com/flex/mx" minWidth="955" minHeight="600" xmlns:valueObjects="valueObjects.*" xmlns:usersservice="services.usersservice.*">
    <fx:Script>
    <![CDATA[
    import mx.controls.Alert;
    import mx.rpc.events.ResultEvent;
    protected function button_clickHandler(event:MouseEvent):void
    checkUserResult.token = usersService.checkUser(email.text,password.text);
    protected function checkUserResult_resultHandler(event:ResultEvent):void
    if (checkUserResult.lastResult != null)
    currentState="success" ;
    ti.text="welcome back, "+ event.result.UserName;
    else
    currentState="fail";
    protected function button1_clickHandler(event:MouseEvent):void
    currentState="State1";
    ]]>
    </fx:Script>
    <s:states>
    <s:State name="State1"/>
    <s:State name="success"/>
    <s:State name="fail"/>
    </s:states>
    <fx:Declarations>
    <valueObjects:Users id="users"/>
    <usersservice:UsersService id="usersService" fault="Alert.show(event.fault.faultString + '\n' + event.fault.faultDetail)" showBusyCursor="true"/>
    <s:CallResponder id="checkUserResult" result="checkUserResult_resultHandler(event)"/>
    </fx:Declarations>
    <s:Panel width="350" horizontalCenter="0" verticalCenter="0" title="User Authentification" includeIn="State1">
    <mx:Form defaultButton="{login_btn}" verticalGap="10" width="100%">
    <mx:FormItem label="Email">
    <s:TextInput id="email" width="240"/>
    </mx:FormItem>
    <mx:FormItem label="Password">
    <s:TextInput id="password" width="121"/>
    </mx:FormItem>
    <s:HGroup width="100%" paddingTop="2" paddingLeft="2" paddingBottom="2" paddingRight="2">
    <s:Button label="login" id="login_btn" click="button_clickHandler(event)" width="100"/>
    <mx:Spacer width="100%"/>
    <s:Button label="cancel" id="cancel_btn" click="button_clickHandler(event)" width="100"/>
    </s:HGroup>
    </mx:Form>
    </s:Panel>
    <s:Button includeIn="fail" y="291" label="Go Back" horizontalCenter="0" click="button1_clickHandler(event)"/>
    <s:Label includeIn="fail" y="239" text="No Such User" horizontalCenter="0" fontSize="24" textAlign="center" color="#B11C1C" fontWeight="bold"/>
    <s:TextArea includeIn="success" x="500" y="147" id="ti"/>
    </s:Application>
    php:
    public function checkUser($email,$pass) {
    $stmt = mysqli_prepare($this->connection, "SELECT * FROM $this->tablename where EMail=? and Password=?");
    $this->throwExceptionOnError();
    mysqli_stmt_bind_param($stmt, 'ss', $email, $pass);
    $this->throwExceptionOnError();
    mysqli_stmt_execute($stmt);
    $this->throwExceptionOnError();
    mysqli_stmt_bind_result($stmt, $row->ID, $row->Level, $row->UserName, $row->EMail, $row->Password);
    if(mysqli_stmt_fetch($stmt)) {
          return $row;
    } else {
          return null;
    David.

  • Hey, jan hedlund,  i need stuffit expander for mac running  v7.5.3 software

    search/refer to archived post "how to install the disk copy program" for full info.
    i need the stuffit expander for older mac (v7.5.3) so i can expand .bin files whitch i currently cannot do...
    i also need all of the software\drivers (if not installed from operating system disk) to run my performa 638cd mac (v7.5.3) a/v card and the tv tuner card and i also need the programs to view the content connected to the afore-mensioned cards... please post the links or send to my (more often checked than here) e-mail: [email protected] send whereever you like(here or e-mail)
    also would it be possible (beneficial) with everything straight from the factory (nothing changed\upgraded) to upgrade to v7.5.5 whitch i saw somewhere on these ftp servers... why would i want to upgrade you ask??? im sick and tired of this infinite startup loop it sometimes gets into and i figure re-installing and\or upgrading the OS might help... another reason for needing stuffit expander, but i was hoping to put this stuff onto a cd, which (as far as i know) cannot be did with such an old machine
        please help... this loop is annoying the sh@# out of me. i am going crazy trying to install stuff!!!

    Pure-mac is a good source of old software.
    http://www.pure-mac.com/compen.html#stuffite
    PowerMac G4 AGP, mostly  
    Mac OS X (10.4.8)  
    uh- huh, yeah right... umm... the file i am looking for IS NOT there!!! the file i AM looking for is for an OLDER mac NOT a v10 plus mac
    I AM VERY FRUSTRATED... THE SITE MIGHT WORK FOR SOME OF THE OTHER FILES I WANT BUT NOT STUFFIT (THE ONE I NEED TO EXPAND THE OTHERS)... DO YOU EVEN KNOW WHAT STUFFIT DOES? IT EXPANDS THOSE .BIN FILES THAT MOST PROGRAMS COME IN AND GUESS WHAT IT TAKES THAT APPLE ENCRYPTION OR WHATEVER IT IS CALLED OFF THEM TOO SO IT HAS TO BE DID ON A MAC. AND AS THAT MAC IS THE ONLY ONE I HAVE I HAVE TO PUT A VERSION THAT IS COMPATIBLE WITH V7.5.3 ONTO IT...
    sorry for caps but... you know... frustrated

  • EVDRE - 'ALL' Keyword in Expand range not working when using ParentH2

    Hi experts,
    I am using a second hierarchy in my P_ACCT dimension (ParentH2). When creating a report with the ALL keyword in expand range (MemberSet) to show all members under P&L an error occurs (EVDRE cannot retrieve data). Without having the second hierarchy in the dimension the report works fine.
    Did anyone of you experience the same problem before? Is there a solution?
    Thanks in advance and best regards
    Felix

    Hi Sanjeev,
    thanks for your advice!
    Processing the dimension works without any issues.
    In the second hierarchy there are about 400 members (knodes and basemembers). That's roughly the same number of members as in the first hierarchy. Is there a known issue with the system when using the parentH2 property for that number of members?
    Thank you and best regards
    Felix

  • Need unique number ranges for self billing, retro billing, and manual credi

    Need unique number ranges for self billing, retro billing, and manual credit/debit memos.

    Hi,
    I guess you are using different document types for normal billing, self billing and retro.  So maintain different numbers for these document types in VN01 and assign the number range in VFOA (document type)
    ~Thanks!
    Rajesh

  • Upon start up, got "HD needs to expand" message and then memory disappeared

    Last night I had nearly 8GB of free space on my PowerBook. This morning, everything was fine before I left for work. I returned home to get one of those exclamation messages upon turning on my computer saying something to the effect of "your HD needs to expand, you will not be able to make changes during this process". Okay, fine. It did that and I looked at my memory, it's down to 4GB.
    What the **** happened?! Please help!

    Here is the bit from the Console:
    Mac OS X Version 10.4.9 (Build 8P135)
    2007-08-09 06:09:13 -0700
    2007-08-09 06:09:14.362 HPEventHandler[117]: DebugAssert: Third Party Client: ((__null) != m_lock && 0 == (*__error())) Can't create semaphore lock [/Volumes/Development/Projects/HP/Core/mac-aio/core/HPEventHandler/Sources/HPTM NotificationManager.cpp:59]
    2007-08-09 06:09:15.892 SyncServer[129] A Sync Server is already running on this computer, exiting process.
    Aug 9 06:09:16 chelsea-andrus-powerbook-g4-12 webdavd[126]: stream_transaction: CFStreamError: domain 12, error 7
    Aug 9 06:09:16 chelsea-andrus-powerbook-g4-12 webdavd[126]: network_mount: OPTIONS failed; file: mount.tproj/webdav_network.c; line: 2735
    Workaround Bonjour: Unknown error: 0
    2007-08-09 06:09:45.750 System Events[268] .scriptSuite warning for attribute 'currentUser' of class 'NSApplication' in suite 'SystemEvents': 'Accounts.User' is not a valid type name.
    2007-08-09 06:09:45.751 System Events[268] .scriptSuite warning for to-many relationship 'loginItems' of class 'NSApplication' in suite 'SystemEvents': 'logi' is not the Apple event code of any known scriptable class.
    2007-08-09 06:09:45.751 System Events[268] .scriptSuite warning for to-many relationship 'localUsers' of class 'NSApplication' in suite 'SystemEvents': 'uacc' is not the Apple event code of any known scriptable class.
    2007-08-09 06:10:11.080 Translator[273] Invoked to sync conduit com.apple.Safari for entityNames: com.apple.bookmarks.Folder,com.apple.bookmarks.Bookmark
    Waiting for MirrorAgent to launch and respond to CFMessagePortCreateRemote(). [83]
    And here are the top ten items:
    User Folder
    Library Folder
    Apps Folder
    System Folder
    usr
    HP PSC
    private
    Firefox
    bin
    mach_kernel
    sbin
    I appreciate your help, I've worked on PCs for so many years that when it comes to fixing my Mac, I'm clueless. Probably because I don't have many problems with it.

  • Need to expand the range of my wireless network

    I live in a fairly long pre war NYC apt with thick walls. I have an old SMC barricade that works well with my Ibooks, macbook and imac (not so well with my pc laptop that I use for work). I just bought a PS3 for my son, on the other side of the apartment. it doesnt pick up the signal.
    I picked up a Netgear WNR854T and a Belkin N1 to test. I know it wont improve the performance of any of my computers, but it's strictly range that's important to me. $130 for an N router is still cheaper than buying 2 airport extremes .
    Am I missing something?

    I have found a setup which works great for me. Its a little more expensive (not too much), but its very flexible. The best purchases I've ever made. Really.
    I use 2 Airport Express (much cheaper than the Airport Extreme) set up to extend each other using WDS (one as 'main base station' the other as a 'remote base station'). This essentially extends the range of the network to cover two apartments on our floor very nicely. It also allows you to plug-in an ethernet cable from the remote base station to the playstation or other non-wireless computer (my girlfriend has a PC with no wireless card), essentially creating a wireless bridge-which is a nice undocumented feature. I use this setup just to avoid having a cable strung across the living room. Plus the obvious benefit of being able to play music wirelessly to your stereo and/or connect and share a printer.
    I've tried setting this up with 3rd party wireless routers (I think it was a Netgear-not sure which model) and an airport express working together, but there was no way to create a WDS network using the the non-apple wireless router. Apple aiports (express or extreme) seem to just play well together, especially with more complicated configurations, and are a snap to set up.
    If I go on a trip I can also just grab one of the Airport Expresses, plug it into the hotel or room and have instant wireless wherever I go. Depending on how your home network is set up you may need change the settings on the express. This can be done easily by saving and loading different configuration profiles into the Express.
    You can also still use your other equipment to act simply as a router (either wireless or wired) you just probably won't be able to 'extend' those networks. That way the 'main base station' Express will be set up to get its IP through DHCP, which is much simpler, especially if you are moving things around a lot.
    To find out where to place the second Express, you can walk your laptop down the apartment until you start loosing the first signal. That's where you want the second Express. I use a little widget called "AirTrafficControl" to see a more finite view of the connection strength.
    To find out about setting up a WDS with 2 or more base-stations see:
    http://docs.info.apple.com/article.html?artnum=107454
    Not that other systems won't work just fine, but in the end I just love the convienience (size!), simplicity, and flexibility of the Express. With everything else I've tried I always run into some incompatibility somewhere down the line.
    Hope this helps. Good luck with whatever system you choose.

  • Linksys E2000 - need to expand wireless range

    I just bought E2000 router today replacing my WRT300N (since it has been broken). I'm guessing that they have the same range of wireless signal, am I correct?
    If that so, can I extend the range just by configuring through the router?
    I'm not satisfied with the range of my signal as of the moment
    Thanks a lot in advance!

    How far you want to extend your wireless network range?
    What wireless settings you have setup on your Router? (SSID, Channel, Security Mode)?
    Login to the Router setup page and under the wireless tab change the following settings.
    For Wireless Settings, please do the following : -
    Click on the Wireless tab
    - Here select manual configuration...Wireless Network mode should be mixed...
    - Provide a unique name in the Wireless Network Name (SSID) box in order to differentiate your network from your neighbors network...
    - Set the Radio Band to Wide-40MHz and change the Wide channel to 9 and Standard Channel to 11-2.462GHz...Wireless SSID broadcast should be Enabled and then click on save settings...
    Please make a note of Wireless Network Name (SSID) as this is the Network Identifier...
    For Wireless Security : -
    Click on the Sub tab under Wireless > Wireless Security...
    Change the Wireless security mode to WPA, For Encryption, select TKIP...For Passphrase input your desired WPA Key. For example , MySecretKey , This will serve as your network key whenever you connect to your wireless network. Do NOT give this key to anyone.
    NOTE : Passphrase should be more that 8 characters...

  • Slice tool help needed width expands and contracts

    I recently did a header for my website and srinks and expands
    with different screen sizes I need a bit of help to undstand how
    and why this happens.
    I built it on a 19" screen fits perfectly on the page. Then
    on the 15" I'm using now its very small leaving gaps along the
    sides
    here's the problem

    No, I don't mean that your header should be all one image.
    Currently, your header is a table with a number of images
    inside it. The width of the table is "absolute." It is set to a
    fixed number of pixels (800). It won't change. What you see as
    smaller and larger on your different monitors is a result of the
    different resolution that the two monitors have.
    The forum content, on the other hand, is in tables with
    widths that are "relative." They are are a percentage of the width
    of the browser window (81%). These tables will change size
    depending on the size of the browser window. For just one perfect
    setting, everything will line up. For all other widths, you have a
    mess.
    You need your header table and your forum tables to match.
    Either your header needs to be designed differently, so that it can
    expand and contract gracefully when a browser window is a different
    size (in pixels), or you need to edit your forum so that the
    various parts are all 800 pixels wide instead of varying
    percentages.
    As for monitors, it isn't the physical size that is important
    here, it's resolution. It isn't the number of inches, it's the
    number of pixels. You can have a 21" monitor that's set to 800x600
    pixels and you can have a 17" monitor set to 1600x1200 pixels. On a
    monitor with 800x600 pixel resolution, your header will be the full
    width of the screen and the forum content will be about 650 pixels,
    indented on both sides. On a monitor that is 1600x1200 pixel
    resolution, your header will be about half of the screen width and
    your forum content will be about 1300 pixels wide.

  • Looking to expand range

    My current setup is verizon fios router(actiontech)plugged into a Airport Extreme(old model shaped like a oval)set to bridge mode with a Airport express in my kitchen. While i get pretty good range within my house, id like to be able to expand the range a bit further outside. Is there a way to do this? Can i add another airport express? Thanks
    Message was edited by: lawrence gelman
    Message was edited by: lawrence gelman

    Welcome to the discussions!
    +While i get pretty good range within my house, id like to be able to expand the range a bit further outside. Is there a way to do this? Can i add another airport express?+
    Yes, you can add another AirPort Express as either a "relay" or "remote" depending on your network requirements.
    That's the upside. The downside is that this will cause a drop in the overall bandwidth on your wireless network, which may or may not affect your perceived performance on the network.
    Your network will drop from about 26 Mbps to approximately 13 Mbps. If your internet connection speed is slower than 13 Mbps, you probably won't notice a difference over the internet. If you are transferring large files over your wireless, things will take about twice as long as they do now.

Maybe you are looking for