Numbers help with a guest list

I am a newbie...using numbers for the 1st time for a guest list for an auction...I am up to row 42 to need to add a bunch more and that option is no longer available...HELP!!!

To add rows you can activate the table by clickin gin any cell, then either:
1) drag the tale controls to expand columns, rows, or both:
OR
2) type the key combination <COMMAND> + arrow (left, right, up, or down) to add a row/column
OR
3) you can use the menu items:
"Table > Add Row Above":
"Table > Add Row Below":
"Table > Add Column Before
"Table > Add Column After":
OR
4) you can right click on the row or column header, then select the "Add..." from the contextual menu:
You can get this, and more, from a free, downloadable, users guide from here:
     http://support.apple.com/manuals/#productivitysoftware

Similar Messages

  • Help with UL navigation list

    Hello all, I need some help with a left navigation menu I
    have created, you can see the code below:
    the problem I have is when I am putting a link to the UL it
    doesn't work ( probably because I have a background image in my
    CSS) i was wondering if I can do it with another way..
    css code
    .treemenu {
    margin : 0px 20px;
    padding : 10px;
    list-style : none;
    width : 200px;
    .treemenu ul {
    list-style : none;
    margin : 0px 5px;
    padding : 0px 5px;
    .treemenu li {
    display : inline;
    .treemenu a {
    display : block;
    padding-left : 0px;
    text-decoration : none;
    .treemenu .treeopen {
    background-image : url('../img/open.gif');
    background-repeat : no-repeat;
    background-position : left;
    .treemenu .treeclosed {
    background-image : url('../img/closed.gif');
    background-repeat : no-repeat;
    background-position : left;
    UL

    Hello all, I need some help with a left navigation menu I
    have created, you can see the code below:
    the problem I have is when I am putting a link to the UL it
    doesn't work ( probably because I have a background image in my
    CSS) i was wondering if I can do it with another way..
    css code
    .treemenu {
    margin : 0px 20px;
    padding : 10px;
    list-style : none;
    width : 200px;
    .treemenu ul {
    list-style : none;
    margin : 0px 5px;
    padding : 0px 5px;
    .treemenu li {
    display : inline;
    .treemenu a {
    display : block;
    padding-left : 0px;
    text-decoration : none;
    .treemenu .treeopen {
    background-image : url('../img/open.gif');
    background-repeat : no-repeat;
    background-position : left;
    .treemenu .treeclosed {
    background-image : url('../img/closed.gif');
    background-repeat : no-repeat;
    background-position : left;
    UL

  • Help with sorting a list

    Hi,
    can anyone help me with sorting of a list by date?
    I have like 5 objects in the list, 4 are string and one is list.
    I want to sort them by Date..
    How can I do that?
    I don't know if I can use CompateTo?? I am new to programing, I would appreciate if anyone can explain with sample code.
    Your help is appreciated.

    ASH_2007 wrote:
    Hey thanks for your response, but there is a little problem with what I said earlier.
    Actually my List is a type of record (it's called Employee record)
    Here what exactly I have:
    for Iint i=0; i< employeeRecord.getList().size(); i++)
    EmployeeRecord emp = employeeRecord.getList().get(i);
    //so if I can not hold my date information in an object, coz it's says type mismatch
    //I am not sure how can I do this?
    }Can you please help with sample code?
    Thanks tonsEither cast or learn about generics. Also, use an Iterator or a foreach loop, NOT get(i).
    [Collections tutorial|http://java.sun.com/docs/books/tutorial/collections/]
    [Generics intro|http://java.sun.com/j2se/1.5.0/docs/guide/language/generics.html]
    [Generics tutorial|http://java.sun.com/j2se/1.5/pdf/generics-tutorial.pdf]
    Foreach

  • I need help with circular linked list

    Hi,
    I need help with my code. when I run it I only get the 3 showing and this is what Im supposed to ouput
    -> 9 -> 3 -> 7
    empty false
    9
    empty false
    3
    -> 7
    empty false
    Can someone take a look at it and tell me what I'm doing wrong. I could nto figure it out.
    Thanks.This is my code
    / A circular linked list class with a dummy tail
    public class CLL{
         CLLNode tail;
         public CLL( ){
              tail = new CLLNode(0,null); // node to be dummy tail
              tail.next = tail;
         public String toString( ){
         // fill this in. It should print in a format like
         // -> 3 -> 5 -> 7
    if(tail==null)return "( )";
    CLLNode temp = tail.next;
    String retval = "-> ";
         for(int i = 0; i < -999; i++)
    do{
    retval = (retval + temp.toString() + " ");
    temp = temp.next;
    }while(temp!=tail.next);
    retval+= "";}
    return retval;
         public boolean isEmpty( ){
         // fill in here
         if(tail.next == null)
              return true;
         else{
         return false;
         // insert Token tok at end of list. Old dummy becomes last real node
         // and new dummy created
         public void addAtTail(int num){
         // fill in here
         if (tail == null)
                   tail.data = num;
              else
                   CLLNode n = new CLLNode(num, null);
                   n.next = tail.next;
                   tail.next = n;
                   tail = n;
         public void addAtHead(int num){
         // fill in here
         if(tail == null)
              CLLNode l = new CLLNode(num, null);
              l.next = tail;
              tail =l;
         if(tail!=null)
              CLLNode l = new CLLNode(num, null);
              tail.next = l;
              l.next = tail;
              tail = l;
         public int removeHead( ){
         // fill in here
         int num;
         if(tail.next!= null)
              tail = tail.next.next;
              //removeHead(tail.next);
              tail.next.next = tail.next;
         return tail.next.data;
         public static void main(String args[ ]){
              CLL cll = new CLL ( );
              cll.addAtTail(9);
              cll.addAtTail(3);
              cll.addAtTail(7);
              System.out.println(cll);          
              System.out.println("empty " + cll.isEmpty( ));
              System.out.println(cll.removeHead( ));          
              System.out.println("empty " + cll.isEmpty( ));
              System.out.println(cll.removeHead( ));          
              System.out.println(cll);          
              System.out.println("empty " + cll.isEmpty( ));
    class CLLNode{
         int data;
         CLLNode next;
         public CLLNode(int dta, CLLNode nxt){
              data = dta;
              next = nxt;
    }

    I'm not going thru all the code to just "fix it for you". But I do see one glaringly obvious mistake:
    for(int i = 0; i < -999; i++)That says:
    1) Initialize i to 0
    2) while i is less than -999, do something
    Since it is initially 0, it will never enter that loop body.

  • Help with Dynamic Dropdown List

    Hi everyone,
    I'm completely new to this, so I hope you will excuse my lack of knowledge.
    I need to add a dropdown menu on a page.  The dropdown will display a list of all the state names in the U.S.  When the person selects a particular state, the access numbers for that state should appear next to it.
    I'm using Dreamweaver CS4.  I was given a Excel spreadsheet with all of the information on it.
    It would be easiest for me if I can use ASP to handle this, since I already have it setup on my machine as a local server to test it.
    But, I can't seem to wrap my head around how to go about this. 
    Any help would be much appreciated.
    Thanks!
    Meb

    Can you tell me if the following statements are correct? 
    - I need to make 2 xml documents.  One for a list of states and one for cities and their phone numbers.
    - I need to add a form to a page in DW.
    - I need to add 2 Spry Regions to the form, one for the states dropdown list and one for the cities and phone numbers.
    - I need to create two Spry Data Sets using the XML data sets I created earlier and insert them in their corresponding regions.
    - And I need to analyze the code from iPHP's example and somehow link all the stuff together.
    Am I even close to correct?
    Thanks again,
    Meb
    1.) What does the source code from the example look like? Are there 2 xml documents?
    2.) Is there a form on the example? Do you want a form on your page?
    3.) How many Spry Regions are in the example?
    4.) What does the source code from the example suggest?
    5.) yes! View source code as previously advised. All of your other questions will be answered once you've done this! See a pattern forming here? You ask a bunch of questions, the answer is to view the source code. You say you've done that and will continue to do so, yet you still ask questions that can be answered by viewing the source code. The result is a lot of redundant discussion.

  • Need help with drop down list in parameters

    Hi All,
    I have the following data set:
    DEPT1     DEPT2     DEPT3 DEPT4
    Commissioner's Office     Finance     Accounting     Accounts Payable
    Commissioner's Office     Finance     Accounting     Fiscal Analysis & Repo
    Commissioner's Office     Finance     Accounting     
    Commissioner's Office     Planning,Asset Mgt     Asset Management     Inventory & Tracking
    Commissioner's Office     Planning,Asset Mgt     Asset Management     Mobility & Congestion
    Commissioner's Office     Planning,Asset Mgt     Asset Management     Roadway Safety
    Commissioner's Office     Planning,Asset Mgt     Asset Management     
    Commissioner's Office     DesignProj Mgt & Tec     Bridge Dsgn Insp Hyd     
    In plus i have four parameters with searchlight options, the problem is when i select "Finance" from DEPT2 and in the next selection level i'm seeing all the departments "Accounting,Asset Management and Bridge Dsgn Insp Hyd" insted of just "Accounting". What i want is if i select a department in DEPT2, in the next drop down list(DEPT3) i want to see only the departement corresponding to the one i selected in dept2. Please need help.
    Thanks

    Hi
    First of all you need to be using Discoverer 10g or 11g Plus not 9.0.4. Assuming you have the right version you need to present the parameters in the correct order. You can change the order on the parameters screen by selecting Tools | Parameters from the toolbar. You then use the Move Up and Move Down buttons to place them in the right order so that DEPT1 is offered first, followed by DEPT2, then DEPT3 and then DEPT4.
    Next, you need to check the radion button on the bottom of the right-hand side that allows linking of parameters then you make DEPT2 dependent upon DEPT1, with DEPT3 dependent upon DEPT2 and so on.
    While this works without hierarchies it works best when you have a hierarchy in place and even better when there is a composite index on the 4 items.
    Best wishes
    Michael

  • Help with Creating a list based on conditions

    Hi, im doing a project in java at college, and this is what the project says;
    Every November, on the last Wednesday of the month, Salchester Primary School holds its annual school games competition. The school is very small and pupils from all classes belong to Houses which compete for the House Cup. Each pupil belongs to either the Green or Yellow House. The names of pupils and numbers in each class are provided for you, together with their House.
    The games that are played during the day are:
    " Snap
    " Cribbage
    " Spillikins
    " Junior Scrabble.
    The structure of the competition is as follows:
    " the Yellow and Green Houses compete against each other in a series of
    matches
    " each match is best of three single games of one type of game
    " pupils cannot play other pupils from the same class
    " pupils can only play another pupil once
    " each pupil will take part in one match for each type of game.
    To allow results to be entered, the aim of the program is to
    " prepare a list of matches for the games competition
    " identify the winners of each match on the schedule
    " calculate the points awarded to each House.so far i have created the following classes;
    the student class which outlines all of the methods that i think are needed in the programme
    public class student
        private String name;
        private int c_lass;
        private int []game;
        private int [] oponent;
    public student(String n, int c)
            oponent=new int [18];
            game = new int [4];
            game[0] = -1;
            game[1] = -1;
            game [2] = -1;
            game[3] = -1;
            c_lass = c;
            name = n;
    public String getName()
          return name;     
    public int getC_lass()
          return c_lass;   
    public int getGame(int y)
          return game [y];     
    public int getOponent(int y)
          return oponent [y];     
    public void changeName (String y)
          name = y;     
    public void changeC_lass (int y)
          c_lass = y;     
    public void changeGame (int gindex, int oponent)
         game [gindex] = oponent;      
    public void eraseGame (int y)
         game [y] = -1;      
    public void eraseOponent (int y)
         oponent [y] = 0;      
    public void changeOponent (int y)
         oponent [y] = 1;      
      }and the student details, this class holds all of the ifnormation about the students, for example their name what colour their house is and the class number
    public class studentdetails
        private student [] gh = new student [18];
        private student [] yh = new student [18];
        public studentdetails()
    public void createstudentdetails ()
            //Class 1 Green house
        gh[0]=new student("Arnold",1);
        gh[1]=new student("Bertha",1);
        gh[2]=new student("Bella",1);
            //Class 2 Green house
        gh[3]=new student("Charles",2);
        gh[4]=new student("Denise",2);
            //Class 3 Green house
        gh[5]=new student("Edward",3);
        gh[6]=new student("Earl",3);
        gh[7]=new student("Freeda",3);
            //Class 4 Green house   
        gh[8]=new student("Genorge",4);
        gh[9]=new student("Gerry",4);
        gh[10]=new student("Hrriet",4);
        gh[11]=new student("Helen",4);
             //Class 5 Green house
        gh[12]=new student("Ian",5);
        gh[13]=new student("Issac",5);
        gh[14]=new student("Gerry",5);
            //Class 6 Green house
        gh[15]=new student("Keith",6); 
        gh[16]=new student("Kevin",6);
        gh[17]=new student("Leila",6);
            //Class 1 Yellow house
        yh[0]=new student("Albert",1);
        yh[1]=new student("Aswan",1);
        yh[2]=new student("Betty",1);
            //Class 2 Yellow house
        yh[3]=new student("Colin",2);
        yh[4]=new student("Debra",2);
            //Class 3 Yellow house
        yh[5]=new student("Elias",3);
        yh[6]=new student("Felicity",3);
        yh[7]=new student("Fiona",3);
            //Class 4 Yellow house
        yh[8]=new student("Gilbert",4);
        yh[9]=new student("Gwyn",4);
        yh[10]=new student("Hebe",4);
        yh[11]=new student("Hillary",4);
            //Class 5 Yellow house
        yh[12]=new student("Idris",5);
        yh[13]=new student("Jane",5);
        yh[14]=new student("Jasmine",5);
            //Class 6 Yellow house
        yh[15]=new student("Kenny",1);
        yh[16]=new student("Laura",2);
        yh[17]=new student("Linda",3);
    public void printstudentdetails()
    for(int i=0;i<18;i++)
            System.out.println (gh .getName () + " Class " + gh [i].getC_lass() + " Green House" );
    System.out.println (yh [i].getName () + " Class " + yh [i].getC_lass() + " Yellow House" );
    the problem is now in creating the match list. The match list is really hard and so far ive done the following but i cant get it to work, could anyone point me in the right direction.public class ListOfMatch
    private studentdetails SB=new studentdetails();
    public ListOfMatch()
    public void CreateMatch()
    SB.createstudentdetails();
    for (int g=0;g<1;g++){
    for (int i=0;i<18;i++){
    if (SB.getsy (i).getGame(g)==-1){
    for(int j=0;j<18;j++){
    if (SB.getsy(i).getC_lass()!=SB.getsg(j).getC_lass()){
    SB.getsy(i).changeGame(g,j);
    SB.getsg(j).changeGame(g,i);
    SB.getsy(i).changeOponent(j);
    SB.getsg(j).changeOponent(i);
    System.out.println(SB.getyh(i).getName()+SB.getgh(j).getName());

    IMO you are doing it wrong and not really OO
    Also please use Standard Java Coding Conventions ( and try use correct spelling)
    You should declare a Game class, a House class a classGroup class and a Student class
    To create the matchups you then can pick student from each classGroup.

  • Help with inserting a list element in a Web page

    Hello,
    I�m a newbie. I want to introduce an element list in a web page. I have source that creates a List as a standalone application (with a main procedure..) , through the JList class, but I want this list to appear integrated in the web page. How could I do it? Could anyone give me any idea, URL, etc...??
    Thanks,

    as writte above: if it as simple as you wrote use something like this:
    * (c) Copyright 2002 B. Braun Melsungen AG
    * All Rights Reserved.
    package domainrequest;
    import java.io.*;
    import java.util.*;
    * implements the <select> form html element providing easy methods to fill the list of options and print the html source code
    * @version      1.0
    * @author          Erik Itter
    public class HtmlListBox {
         ArrayList options = new ArrayList();//HashMap does not guarantee an order
         String name;
         public HtmlListBox(String Name){
              name=Name;
         public ArrayList getOptions(){
              return options;
         public String getOtptionName(String Value){
              for(int i=0;i<options.size();i++){
                   if((((ListBoxOption)(options.get(i))) ).getValue()==Value){
                        return ((ListBoxOption)(options.get(i))).getName();
              return null;
         public int addOption(String Value,String Name){
              options.add(new ListBoxOption(Value,Name));
              return options.size();
         public void print(PrintWriter out){
              out.println("<select name=\""+name+"\">");
              for(int i=0;i<options.size();i++){
                   out.println("<option value=\""+( (ListBoxOption)options.get(i) ).getValue()+"\">"+( (ListBoxOption)options.get(i) ).getName()+"</option>");
              out.println("</select>");
    using
    * (c) Copyright 2002 B. Braun Melsungen AG
    * All Rights Reserved.
    package domainrequest;
    * This class' only reason for existence is to be abused
    * (look at that code and you will understand...) by HtmlListBox
    * implementing a single option's data fields.
    * This is similar to the points and complex numbers they have in
    * all those tutorials...
    * @version      1.0
    * @author          Erik Itter
    public class ListBoxOption{
         String value;
         String name;
         * Constructs an option allowing to differ between the elements value and
         * the displayed representation
         public ListBoxOption(String Value,String Name){
              value=Value;
              name=Name;
         * Constructs an option taking the displayed name as value, too. Actually
         * this is the most common use but less helpfull for complex applications.
         public ListBoxOption(String Name){
              value=name=Name;
         * returns the option's value (could you imagine that...?)
         public String getValue(){
              return value;
         * returns the option's name. (...oh so predictable!)
         public String getName(){
              return name;
    it is sufficient for the three tier intranet application i am developing for our company, since the code is trivial feel free to use it if you like

  • Help with copying SP List data to SQL Server

    I need to read some data from a SP list and copy it to a table in SQL Server.
    Visual Studio  BIDS 2013. SharePoint 2010. Planning to migrate to 2013 this year. I tried to use the
    SP Data source/destination adapter with SSIS, but learned that I can't with Visual Studio 2013. I'm really looking for any way to read data from a SP list and import it into a SQL database (SQL 2014). Haven't found anything online that has worked for me the
    way they say it should (such as OData connection in SSIS). Maybe it's version issues.
    Does anyone have a solid step-by step to do this? I am not a C# developer...

    Hi,
    According to your description, my understanding is that you want to read SharePoint list data and copy it to SQL Server table.
    Hatim's option is a way to achieve it manually.
    If you want to do it automatically, I suggest you can create a console application to read SharePoint list using CAML Query and Client Object Model, Then use SqlConnection object to connect database, then you can insert record using SqlCommand object.
    Here are some detailed code demos for your reference:
    http://www.codeproject.com/Articles/399156/SharePoint-Client-Object-Model-Introduction
    https://msdn.microsoft.com/en-us/library/ms233812.aspx
    Thanks
    Best Regards
    Forum Support
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Subscriber Support, contact
    [email protected]
    Jerry Guo
    TechNet Community Support

  • Help with Library link lists ..

    Hi ,
    I am working with Scott Mazur on a incorporating 8.1.7 in our code bace for our next product release. I am having problems with defining the library link list needed for builds. In the documentation it makes referance to $ORACLE_HOME/precomp/demo/proc which I cannot find. I have installed the 8.1.7 on 3 platforms (Solaris, AIX and NT ) and none of the system have this information. Can you please point me to where I may find some help in this area. We are in a critical path right now so I would appreciate any help you could give me. The sooner the better.
    Thank you for your time and help ,
    Cheryl Pollock
    Lockheed Martin Global Telecommunications .
    Formtek
    Pittsburgh office .
    (412) 937-4970
    null

    You actually shouldn't try to get the library link lists directly. Rather, you should use the $ORACLE_HOME/rdbms/demo/demo_rdbms.mk makefile like this:
    make -f $ORACLE_HOME/rdbms/demo/demo_rdbms.mk build EXE=yourexecutable OBJS="object list"
    where yourexecutable is the name for your executable and the OBJS= includes a quoted list of all your object and library files.
    null

  • New to Numbers, help with formula please.

    I am trying to find the formula which best does the following for me.
    I have a spread sheet with four colums.
    Colum A.  Shows Text, heading of locations, eg  Home, Away, Hotel etc.  Then beside these columns i have the days i arrive and depart the locations.  The forth column shows the total of nights spent in each type of accommodation
    Eg
    Ongoing Table
    Home          Date          Date          5
    Away           Date          Date          5
    Home          Date          Date          5
    Hotel          Date          Date          5
    Home          Date          Date          5
    Hotel          Date           Date           5
    Away          Date          Date          5
    As this in an ongoing list, I am looking to have a section that will automatically and continually add up the total nights I spend in different types of accommodation.  So, in summary I can look at it the following way
    Summary Table
    Home          15
    Away          10
    Hotel          10
    So that when I enter in a separate line in my ongoing table, it automatically keeps the running tally in my Summary Table.
    Thanks in advance for your help.

    Dolmio,
    Let's say that your log table is named Ongoing. The expression in your summary table, column B, would be:
    =SUMIF(Ongoing :: A, A, Ongoing :: D)
    Jerry

  • Recommendations/help with  'Add Contact List'

    hello,
    i've run into a bit of a problem, need some expert advice
    before i lose my mind :)...
    i am trying to allow registered users to have a friend list.
    my problems:
    1) user is viewing their friend list and only their friends
    user_id shows up rather than their friends username...
    Here is the SQL i have as of now:
    SELECT userTable.user_id, userTable.username,
    friendTable.user_id, friendTable.them_user_id
    FROM userTable JOIN friendTable ON userTable.user_id =
    friendTable.user_id
    WHERE userTable.username = var1($_SESSION['MM_Username']
    2) when users click 'add friend' button (which is an insert
    form with 3 hidden fields, user_id, friend_id, MM_insertform), my
    code doesn't check if they are already friends with that person...
    not a huge deal, but i'd like to have this feature if i can...
    i'd be thankful for any advice, help, etc... thank you!

    > 1) user is viewing their friend list and only their
    friends user_id =
    shows up=20
    > rather than their friends username...
    > Here is the SQL i have as of now:
    > SELECT userTable.user_id, userTable.username,
    friendTable.user_id,=20
    > friendTable.them_user_id
    > FROM userTable JOIN friendTable ON userTable.user_id =3D
    =
    friendTable.user_id
    > WHERE userTable.username =3D
    var1($_SESSION['MM_Username']
    what happens if you include friendTable.username in the SQL
    statement?
    >=20
    > 2) when users click 'add friend' button (which is an
    insert form with =
    3 hidden=20
    > fields, user_id, friend_id, MM_insertform), my code
    doesn't check if =
    they are=20
    > already friends with that person... not a huge deal, but
    i'd like to =
    have this=20
    > feature if i can...
    There is a built in server behavior for Check Username that
    will check =
    for an existing user name. You might be able to modify that
    to meet =
    your needs. Keep in mind that modified code will work but
    disappear =
    from the Bindings/Server Behaviors panel.
    --=20
    Nancy Gill
    Adobe Community Expert
    Author: Dreamweaver 8 e-book for the DMX Zone
    Co-Author: Dreamweaver MX: Instant Troubleshooter (August,
    2003)
    Technical Editor: Dreamweaver CS3: The Missing Manual,
    DMX 2004: The Complete Reference, DMX 2004: A Beginner's
    Guide
    Mastering Macromedia Contribute
    Technical Reviewer: Dynamic Dreamweaver MX/DMX: Advanced PHP
    Web =
    Development

  • Help with an access list please

    Hi guys, i have an access list applied inbound to an interface on a router at the edge of our LAN.Our LAN subnet is 10.10.x.x and the incoming subnet is 10.13.x.x both with a 16 bit mask. The ACL is applied inbound to the interface that the the 10.13.x.x subnet come in on. I want to only allow them to go to our internal webserver to run a corporate web app, resolve dns for this web server with our dns servers, and have full access to a server on the other side of our WAN for another 32 bit app they are running. Here is my ACL:(you will notice i have also configured a single ip full access in for us to use when we are on site)
    access-list 101 permit ip 10.10.0.0 0.0.255.255 any
    access-list 101 permit ip host 10.13.1.254 any
    access-list 101 permit udp 10.13.0.0 0.0.255.255 host 10.10.10.1 eq domain
    access-list 101 permit udp 10.13.0.0 0.0.255.255 host 10.10.10.2 eq domain
    access-list 101 permit tcp 10.13.0.0 0.0.255.255 host 10.10.10.2 eq domain
    access-list 101 permit tcp 10.13.0.0 0.0.255.255 host 10.10.10.1 eq domain
    access-list 101 permit ip 10.13.0.0 0.0.255.255 host 192.168.9.1
    access-list 101 permit tcp 10.13.0.0 0.0.255.255 host 10.10.10.24 eq www
    access-list 101 deny ip 10.13.0.0 0.0.255.255 10.0.0.0 0.255.255.255
    access-list 101 deny ip 10.13.0.0 0.0.255.255 172.16.100.0 0.0.0.255
    access-list 101 deny ip any any
    From the 10.13.x.x network this works like a charm but here is the key: i want to be able to remote admin their machines but cant. Even though the ACL is applied inbound only i cant get to their subnet, even with the first permit statement i still cant get to their subnet. I am assuming its allowing me in but the problem is lying with the return traffic. Is their a way for me to deny them access as in the list but for me to remote their subnet?
    Any help you could offer would be appreciated.

    I agree with you that the first line in the access list is incorrect. Coming in that interface the source address should never be 10.10.0.0. But if he follows your first suggestion then any IP packet from 10.13.anything to anything will be permitted and none of the other statements in the access list will have any effect.
    And I have a serious issue with what he appears to suggest which is that he will take his laptop (with a 10.10.x.x address), connect it into a remote subnet, and expect it to work. Unless he has IP mobility configured, he may be able to send packets out, but responses to 10.10.x.x will be sent to the 10.10.0.0 subnet and will not get to his laptop. He needs to rething this logic.
    I do agree with your second suggestion that:
    access-list 101 permit tcp 10.13.0.0 0.0.255.255 eq 5900 10.10.0.0 0.0.255.255
    should allow the remote administration to work (assuming that 5900 is the correct port and assuming that it uses tcp not udp).
    HTH
    Rick

  • I need help with drop down lists

    I have a form that does not have lots of space and I want to use drop down lists to fill in specific information that describes site conditions.  The problem I have is that the drop down list is only set up for a single line and that is not enough space for what I want in the drop down list.  In other words, I have items that are several sentences.   I have seen some descriptions of creating a drop down list that then fills in a text box that has multiple lines.  Unfortunately, that is not an ideal solution for me.  I just want the drop down list to select a single phrase.  Here is an example of what I want to be able to select in the drop down.
    The water heater spilled flue gases in excess of 5 minutes under worst case conditions.  The combusiton testing was completed with in 30 days of the invoice submittal. 
    The form does not allow me to create a field that goes all the way across the page so it needs to look something like this:
    The water heater spilled flue gases in excess of 5 minutes
    under worst case conditions.  The combusiton testing was
    completed with in 30 days of the invoice submittal.
    Any help is greatly appriciated.

    Thanks for responding.
    I have three items that are very similar in length and text for each drop down.  There are 9 drop downs right now.  I am using the drop downs to fill in a form that is used by several people and I want to keep things as simple as possible.  Associated with the drop down already is a check box.  When the check box is checked, it fills in a text box with a score (1 point, 5 points, etc).  That score then tallys for a total with all the other scores in another text box.  Using a drop box to fill in a text box is just getting to busy and than I have to distinguish each drop down item so it is clear which text you are selecting.

  • Need Help with hijacked contact lists

    Hello all, I am new here, so please forgive me if I'm posting to the wrong board...didn't really see anything more appropriate. I have a problem with a hijacked contact list:
    I have three email accounts being forwarded to my BB Curve 8530.  Two from Yahoo and one from AOL.  In each of these accounts (when accessed directly from yahoo.com or aol.com) have different contacts.  Not all of these contacts are in my BB contact list.  The other day, one of my yahoo accounts was somehow hacked, and resulted in one of those spam "drugs for sale" emails being sent to people in my contact list.  Well, when I investigated, I discovered that actually, someone who is not even in that particular accounts contact list, but another account.  How is this possible?
    If that is confusing, here's a better summary (using fake email addresses):
    [email protected] sent a bogus email message to [email protected]
    but, [email protected] is not in [email protected]'s address book.  it is in [email protected]  [email protected] is not listed in my BB device's contact list.
    The only thing I can think os is somehow the BB was hacked, and someone was able to go through all linked contact lists, and send an email across all connected accounts.
    How was this able to happen?  what can I do to stop it?
    thanks!
    Lee

    This is the Welcome and Introductions section, so Greetings, and welcome!
    The 8500 model section would be perfect for your questions,so we'll get it move there.
    Meanwhile,
    leevalon wrote:
    The only thing I can think os is somehow the BB was hacked, and someone was able to go through all linked contact lists, and send an email across all connected accounts.
    Sorry, not possible... UNLESS you gave your BlackBerry to someone to use for a while, during which time they spammed all your contacts. Did you?
    Do you have a Security password set on the device? If you are afraid of the above happening, setting the password will just that impossible.
    But it wasn't hacked.
    1. If any post helps you please click the below the post(s) that helped you.
    2. Please resolve your thread by marking the post "Solution?" which solved it for you!
    3. Install free BlackBerry Protect today for backups of contacts and data.
    4. Guide to Unlocking your BlackBerry & Unlock Codes
    Join our BBM Channels (Beta)
    BlackBerry Support Forums Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

Maybe you are looking for

  • Mac vs PC: bus bottleneck in Mac?

    I am a long time Mac user considering an upgrade to a Mac Pro for photography and soon for video and gaming. A photographer friend familiar with both Macs and PCs told me that I should consider the PC option for resource intensive applications as Mac

  • Trying to install Windows 7, 64 bit on Bootcamp

    I am trying to install 64 bit Windows 7. I used the Bootcamp Assistant, followed the whole process as specified, but at an early stage it said it needed a driver for the cd/dvd drive; when I tried to give it the required driver, it said 'No drivers f

  • Is SharePoint Enterprise Needed For Digital Signatures?

    Hey SharePoint Fam, Had a request come in for Digital Signature use and was wondering is this even possible without Enterprise version?  We are on Standard 2010 version...... Thanks n advance

  • Problem unmounting filesystems when rebooting/halting after upgrade

    I just installed mkinitcpio 0.6.8-2 and util-linux 2.19-3 from testing repo and when i reboot/halt my system either with my custom kernel26-ck or kernel26 from core i get an error when unmounting filesystems saying: "/dev/sda3 busy remounting read-on

  • MAIL MERGE DOCUMENT ON SHAREPOINT

    I have a word document name list saved on my desktop that I use as a database when doing a mail merge. The letters I use as templates however are all stored on a SharePoint 2013 document library. When I tried to do a mail merge using one of these let