How can I hold the public IP on a specific profile on the asa 5510

Hi Guys
How can I hold the public IP on my cisco client VPN NAT session so nobody else can use it? I have a cisco asas 5510
inside is 172.10.20.86
public 166.245.192.90
Did I need to call my ISP?
thanks

sorry
I willl like to lock or reserve the public IP  address from a NAT session on the ASA vpn.
that way a sepcific profile and public IP can be use all the time. I know how on the inside IP but not on the public IP.
it make sense

Similar Messages

  • How can i hold the date or "pencil" in a date to be confirmed later?

    I would like to pencil in an unconfirmed date. How can I do this?

    It's possible to adjust the date and time, and pretty much the same way as in iPhoto. For the others, search the Photos forum, folks have posted Applescripts that will help.
    http://www.apple.com/feedback/photos.html is the place for feature requests and feedback

  • How can I hold values in a variable

    I am looking for someone to point me in the right direction - I'm somewhat new to Java, but am a dinosaur from the mainframe, and sometimes get frustrated at the amount of effort I need to go through to do something that would have been simple on the mainframe...
    I have a Swing based GUI application that I am trying to write - it uses Swing components to build a GUI interface and present data to the user. This data comes from a flat file that is XML based. The structure is as follows:
    "Main" class (establishes the GUI, etc.)
    |
    Specific class (establishes a specific page in the GUI; there are many of these)
    |
    XML Reader class - uses parsing functions to read the file; stores data into an array
    The problem is that I make an initial call to the method that parses the XML file and builds the data in the array. I can see this through my debugging tool; it is confirmed in tracing messages I have built into the program.
    I then return to the specific class, and it wants to do specific things to build the GUI pages, based on customer input. So for example, I may want to go and get information on the third record in the XML file - I pass back an index value, and it should return information. Unfortunately, the array is now empty when I return to extract the values.
    How can I hold the values in the array so that I can return and extract (and ultimately update) the values when I need them. There are initially about 25 different arrays - some Integer, Some Strings, and some String buffers. I have seen an indication that I could implmenet Serializable to do this, but it seems that this is a lot of I/O - parsing the data, then serializing it back to disk, and then reading it back every time I want to access it. I have thought about doing it through a data base, but I don't have a DBMS available currently, and this is possibly beyond my level at the moment.
    I appreciate any suggestions that you might have.
    Jerry

    The xml file that I have is something that I
    established my self. It follows the standard xml
    conventions, just straight <tag field="xyz" /> stuff.
    About as fancy as it gets is to have free form text
    t lines where I need to capture the information in a
    String buffer out of the parser. The format of the
    tag is like this:
    <comments>
    multiple lines of text
    follow...
    </comments>In that case, depending on your utilization of the data(if this is not intended to carry data around different systems) you can just serialize it to the file and after retrieve it using XMLEncoder and XMLDecoder from java.bean package.(Have a look on the javadocs for J2SE)
    If your XML is intended to be passed around different systems, you can use JAXB to bind the document to a object model, instead of parsing it yourself.
    I sem to be having issues with passing control
    between classes - As I understand it, values that you
    establish in one class must be passed along to the
    caller - there doesn't seem to be a conceopt like a
    "data section" where data can be stored for access by
    all classes that need access to it. Gosling fobid it!!!!!
    Or is there, and
    I just haven't discovered it yet.No you won't, happily there is no such a thing, once you got the hang of OO principles and design, you will see that this is not only dangerous as it adds too much complexity to the system for those mantainig the code.
    If you want data to be acessed througout the system, uniquely, there are means to do that, like Singleton pattern(GoF, 127) and Common Object Registry pattern(Software Architeture Design Patterns in Java, 423)
    But I think this is not the solution to tyour problem, as far as I understand, you get data from your XML file, that seems to have a structure repeating over the file, and you want to display it to your user.
    The firsting I would advise is to not use arrays as carriers for your data. Instead use objects that represent your data stored in collections, for example, if you have a xml file like this:
    <people>
       <person>
             <name>Jeff</name>
             <age>6</age>
       </person>
       <person>
             <name>Rage</name>
             <age>36</age>
       </person>
       <person>
             <name>Rene</name>
             <age>666</age>
       </person>
    </people>Then, have a class that hold the data for person:
    * @(#)Person.java     v1.0     02/03/2005
    import java.io.Serializable;
    * Class that stands for a person data.
    * @author Notivago     02/03/2005
    * @version 1.0
    public class Person implements Serializable {
         * The class implements java.io.Serializable, as it is
         * required for the class to be a java bean.
         * The proper way to have classes offering its data
         * to the external world is by having get/set methods
         * that handle acess to internal fields.
         * Never make the class fields public.
         * The age of the person this class represents
        private int age;
         * The name of the person this class stands for.
        private String name;
         * Vanilla constructor for the class, as required for classes to be
         * java beans. Initializes the class with age 0 and a empty name.
        public Person() {
            super();
            age = 0;
            name = "";
         * Convenience constructor that allows your bean to be created
         * with age and name set.
         * @param age
         * @param name
        public Person(int age, String name) {
            this.age = age;
            this.name = name;
         * Acessor for the age of the person.
         * @return
         *           The age.
        int getAge() {
            return age;
         * Mutator for the age of the person.
         * @param age
         *           The age to set.
        void setAge(int age) {
            this.age = age;
         * Acessor for the name of the person. 
         * @return
         *           The name of the person.
        String getName() {
            return name;
         * Mutator for the name of the person.
         * @param name
         *           The name of the person.
        void setName(String name) {
            this.name = name;
    }Get the data from the XML document, with JAXB for example, and for each person found, create and populate a bean with the data, store the bean in the colection and pass it to the user interface to be displayed. (Look at the java.util documentation)
    If you are into doing GUI, you will want to have a look in the MVC pattern, Model 2 pattern and the Swing "Separable Model" Architeture, so you learn how to make reusable decoupled GUIs. (search for MVC and Model 2 and look at the "How to use Swing Components" Documentation)
    On using swing, you can get the collection of beans and bind it to lists, tables or any other presentation form you would want. Look at the swing tutorial on how to use data model to boost your GUI.(Look at "how to use swing documentation")
    http://java.sun.com/docs/books/tutorial/uiswing/components/index.html
    But here goes 2 cents of opinion, start by the basic tutorials:
    http://java.sun.com/docs/books/tutorial/
    especially the ones on Object Orientation:
    the way things are done in Mainframe if very different as they are done on a OO language, before learning the language, you will have to learn a new mindset, so after reading the basic tutorials, it would be good you search for some good books that focus on OO thinking, a good one that does that and teaches java at the same time is:
    Head First Java
    It is a good and funny reading.
    Head First Design Patterns
    Also have a lot of good insights on OO and it comes with some patterns as a bonus.
    I understand you see this all as overcomplicated, bu once you get the hang of it, you will see that there this only another way to see things and the stability and reusability attained is worth of the effort.
    May the code be with you.

  • HT3702 how can i remove the authorization hold from my card...

    how can i remove the authorization hold from my card

    You can try contacting iTunes support : http://www.apple.com/support/itunes/contact/ - click on Express Lane, then iTunes > iTunes Store
    How much was the amount ? A 'normal' holding charge is a small amount (e.g. equivalent to about $1), and usually happens after you add or change credit card details on your account. Here in the UK it can take a few working days for it to disappear (so a weekend can extend the elapsed time).
    Edit : I don't know what a non-liability certificate is and/or whether Apple can do one.

  • How can i hold a spot in a clip, let the audio continue for a moment and then resume the clip and audio together?

    how can i hold a spot in a clip, let the audio continue for a moment and then resume the clip and audio together?

    you want to use the retiming tool. you can select what you want to hold, then use the "Hold" command (shift-H) to create a single frame of a default duration, which you can then change to whatever length you want by dragging the retiming handle.
    Here's the page in the help manual that describes the hold feature in detail:
    http://help.apple.com/finalcutpro/mac/10.0/#ver4c2173c9

  • HT5661 i bought a second hand phone and now can not hold of the seller,  how can i get the phone activated in my name now?

    Hi all,  I have bought a second hand iphone 5s and have found it is still activated to the last user... i can't get hold of them anymore,  how can i get the phone activated in my name?

    If iOs 7 is installed on that iPhone, you will not be able to activate it without
    the requested information. It is called Activation Lock and is a security
    feature built into iOS 7. There is no workaround.

  • How can I reduce the size of a photo proportionally.  With my old Mac mini I was able to place the pointer on the bottom right corner  hold the shift key until I achieved the desires size.

    How can I reduce the size of a photo PROPORTIONALLY?  With my old Macmini I was able to place the pointer on the bottom right corner of the picture, hold down the shift key and move the pointer to achieve the desired size.  

    You'll need to use a 3rd party editor like one of these:
    Some Image Editors That Support layers:
    Photoshop Elements 11 for Mac - $79
    Rainbow Painter - $30
    Imagerie - $38
    Acorn - $50
    Pixelmator - $60 
    Seashore - Free
    Portraits and Prints - Free
    GIMP for Mac - Free
    Xee 2.1 - free
    My personal preference would be for Photoshop Elements for Mac. Most of these will let you select and copy a head from one photo, paste it into another photo, resize and place where you need it.
    PSE has a specific feature just for that function.  I belive the Adobe site for PSE has a demo video of that feature.
    OT

  • How can I know the name of the file that the user has currently open ?

    Hello
    I'm developing a module for x3dv.
    http://hiperia3d.blogspot.com/search/label/X3DV%20Module%20For%20Netbeans
    I am going to add a button to open the files when I click it.
    I just need to know how can I know the name of the file that the user has currently open in the editor. What variable holds it in Netbeans?
    Thank you
    Jordi

    If you are using the JFileChooser to open the document, I would create another class with this included:
    //initiate class variables
    private File f;
    //create JFileChooser
    JFileChooser fc = new JFileChooser();
    fc.setMultiSelectionEnabled(false);
    fc.setFileSelectionMode(JFileChooser.FILES_ONLY)
    //set the chooser to initialise File f with the file selected
    int status = fc.showOpenDialog(null);
    if (status == JFileChooser.APPROVE_OPTION)
         f = fc.getSelectedFile();
    public File getFile()
         return f;
    }

  • I am having macbook air recently my iphotos did not open and was showing report apple and reopen but i came to know that by pressing alt and iphotos i open an new photo library and stored the pics but now how can i get the pics which i had in the earlier

    i am having macbook air recently my iphotos did not open and was showing report apple and reopen but i came to know that by pressing alt and iphotos i open an new photo library and stored the pics but now how can i get the pics which i had in the earlier photo please help me to recover my photos

    Well I'll guess you're using iPhoto 11:
    Option 1
    Back Up and try rebuild the library: hold down the command and option (or alt) keys while launching iPhoto. Use the resulting dialogue to rebuild. Choose to Repair Database. If that doesn't help, then try again, this time using Rebuild Database.
    If that fails:
    Option 2
    Download iPhoto Library Manager and use its rebuild function. (In early versions of Library Manager it's the File -> Rebuild command. In later versions it's under the Library menu.)
    This will create an entirely new library. It will then copy (or try to) your photos and all the associated metadata and versions to this new Library, and arrange it as close as it can to what you had in the damaged Library. It does this based on information it finds in the iPhoto sharing mechanism - but that means that things not shared won't be there, so no slideshows, books or calendars, for instance - but it should get all your events, albums and keywords, faces and places back.
    Because this process creates an entirely new library and leaves your old one untouched, it is non-destructive, and if you're not happy with the results you can simply return to your old one.  
    Regards
    TD

  • How can I change the display of Inbox in my iPad's mail app- so that it takes up the full screen?

    How can I change the display of Inbox in my iPad's mail app- so that it takes up the whole screen, as opposed to just about one third; the other two thirds display the full text of the selected email?

    You can't change the display in the Mail app, if you are holding the iPad in landscape orientation then the left-hand third will be for navigation, and the right-hand two-thirds will be an email. If you hold the iPad in portrait orientation then the navigation section becomes a drop-down section.

  • How can we remove the key from the dataset which has json

    uid
    id
    Json
    4588
    51
    { "key": "1/0/234", "element1":{ "a":10 "b": "test1" } }
    4589
    52
    { "key": "1/0/234", "element1":{ "a":10 "b": "test1" } }
    4590
    53
    { "key": "1/0/234", "element1":{ "a":10 "b": "test1" } }
    I have the above dataset resulting from merge operation .
    UID -Integer data type
    ID- Integer data type
    Json- String data type holding json document
    How can I remove  the " key" element from the json field  and make my dataset look like 
    Expected output which will strip of key value pair from the json column
    uid
    id
    Json
    4588
    51
    { "element1":{ "a":10 "b": "test1" } }
    4589
    52
    { "element1":{ "a":10 "b": "test1" } }
    4590
    53
    { "element1":{ "a":10 "b": "test1" } }
    Mudassar

    Hello Mudassar,
    In SQL Server / T-SQL we don't have a native JSON support, so you would have to implement a solution on your own = parsing the string and remove the "Key" + it's value.
    Olaf Helper
    [ Blog] [ Xing] [ MVP]

  • I got new hard driver for my MacBook I don't have the cd but I do have flash drive that has the software I need help because when I turn on my laptop it shows me a file with question mark how can I install the software from the flash driver?

    I got new hard driver for my MacBook I don't have the cd but I do have flash drive that has the software I need help because when I turn on my laptop it shows me a file with question mark how can I install the software from the flash driver?

    Hold down the Option key while you boot your Mac. Then, it should show you a selection of devices. Click your flash drive and it will boot from that.

  • How can I get the "text" field from the actionEvent.getSource() ?

    I have some sample code:
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.util.ArrayList;
    public class JFrameTester{
         public static void main( String[] args ) {
              JFrame f = new JFrame("JFrame");
              f.setSize( 500, 500 );
              ArrayList < JButton > buttonsArr = new ArrayList < JButton > ();
              buttonsArr.add( new JButton( "first" ) );
              buttonsArr.add( new JButton( "second" ) );
              buttonsArr.add( new JButton( "third" ) );
              MyListener myListener = new MyListener();
              ( (JButton) buttonsArr.get( 0 ) ).addActionListener( myListener );
              ( (JButton) buttonsArr.get( 1 ) ).addActionListener( myListener );
              ( (JButton) buttonsArr.get( 2 ) ).addActionListener( myListener );
              JPanel panel = new JPanel();
              panel.add( buttonsArr.get( 0 ) );
              panel.add( buttonsArr.get( 1 ) );
              panel.add( buttonsArr.get( 2 ) );
              f.getContentPane().add( BorderLayout.CENTER, panel );
              f.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
              f.setVisible( true );
         public static class MyListener  implements ActionListener{
              public MyListener() {}
              public void actionPerformed( ActionEvent e ) {
                   System.out.println( "hi!! " + e.getSource() );
                   // I need to know a title of the button (which was clicked)...
    }The output of the code is something like this:
    hi! javax.swing.JButton[,140,5,60x25,alignmentX=0.0,alignmentY=0.5,
    border=javax.swing.plaf.BorderUIResource$CompoundBorderUIResource@1ebcda2d,
    flags=296,maximumSize=,minimumSize=,preferredSize=,defaultIcon=,disabledIcon=,
    disabledSelectedIcon=,margin=javax.swing.plaf.InsetsUIResource[top=2,left=14,bottom=2,
    right=14],paintBorder=true,paintFocus=true,pressedIcon=,rolloverEnabled=true,
    rolloverIcon=,rolloverSelectedIcon=,selectedIcon=,text=first,defaultCapable=true]
    I need this: "first" (from this part: "text=first" of the output above).
    Does anyone know how can I get the "text" field from the e.getSource() ?

    System.out.println( "hi!! " + ( (JButton) e.getSource() ).getText() );I think the problem is solved..If your need is to know the text of the button, yes.
    In a real-world application, no.
    In a RW application, a typical need is merely to know the "logical role" of the button (i.e., the button that validates the form, regardless of whether its text is "OK" or "Save", "Go",...). Text tends to vary much more than the structure of the UI over time.
    In this case you can get the source's name (+getName()+), which will be the name that you've set to the button at UI construction time. Or you can compare the source for equality with either button ( +if evt.getSource()==okButton) {...}+ ).
    All in all, I think the best solution is: don't use the same ActionListener for more than one action (+i.e.+ don't add the same ActionListener to all your buttons, which leads to a big if-then-else series in your actionPerformed() ).
    Eventually, if you're listening to a single button's actions, whose text change over time (e.g. "pause"/"resume" in a VCR bar), I still think it's a bad idea to rely on the text of the button - instead, this text corresponds to a logical state (resp. playing/paused), it is more maintainable to base your logic on the state - which is more resilient to the evolutions of the UI (e.g. if you happen to use 2 toggle buttons instead of one single play/pause button).

  • How can i get the meta data from database?

    Hi, all java and db experts,
    I need to write a tool to generate java file which will be used to hold the resultset of a stored procedure of Oracle. Is there any API call or tools to connect to db and then get the meta data of the return cursor instead of reading stored procedure definition on my own?
    Please help, thanks a lot.
    Hanna

    if i execute a Oracle stored procedure, the resultset of a cursor is returned. It's easy to know the meta data at the runtime.
    However, could i get the meta data about the resultset of a cursor before runtime? Such as by connecting to the database and ask it about meta data of a specified stored procedure?
    Is it feasible?
    DatabaseMetaData dbmd = conn.getMetaData();
    ResultSet rs = dbmd.getProcedureColumns("", "%", "SP_NAME", "%");
    while (rs.next()) {
    String colName = rs.getString(4);
    int colType = rs.getInt(5);
    int colDataType = rs.getInt(6);
    int colPrecision = rs.getInt(8);
    int colLen = rs.getInt(9);
    int colScale = rs.getInt(10);
    long defaultValue = rs.getLong(11);
    But what i get is a list of stored procedure parameters. In oracle, cursor is IN OUT parameter . How can i get the meta data about the resultset of cursor?

  • How can I access the Attribute Values from the Search Region

    Hi all,
    I have a table which contains Company id, department id, and PositonId. For a particular Company and Department there may be multiple records.
    I have to pupulate a table which contains the position and other details that comes under a particular Department and Position based on the selection in the Three comboBoxes.
    Also I have to populate a select many Shuttle to add new postions and records under a particular Department.
    I created a query panel *(Search Region)* for the serch and a table to display the data. That is working fine.
    Now the issue is I am using a view criteria to populate the shuttle with two bind variables ie, DepartmentId and CompanyId.
    If the serach will return a resuktant set in the table it will also pupulate the correct records, otherwise ie, if the if the serch result is empty the corresponding iterator and the attribute is setting as null.
    SO I want to access the attribute values from the Search Region itsef to populate the shuttle.
    I don't know how can I access the data from the Search Region.
    Please Help.
    Regards,
    Ranjith

    you could access the parameters entered in search region by the user as follows:
    You can get handle to the value entered by the user using queryListener method in af:query.
    You can intercept the values entered as described
    public void onQueryList(QueryEvent queryEvent) {
    // The generated QueryListener replaced by this method
    //#{bindings.ImplicitViewCriteriaQuery.processQuery}
    QueryDescriptor qdes = queryEvent.getDescriptor();
    //get the name of the QueryCriteria
    System.out.println("NAME "+qdes.getName());
    List<Criterion> searchList = qdes.getConjunctionCriterion().getCriterionList();
    for ( Criterion c : searchList) {
    if (c instanceof AttributeCriterion ) {
    AttributeCriterion a = (AttributeCriterion) c;
    a.getValues();
    for ( Object o : a.getValues()){
    System.out.println(o.toString());
    //call default Query Event
    invokeQueryEventMethodExpression("#{bindings.ImplicitViewCriteriaQuery.processQuery}",queryEvent);
    public void onQueryTable(QueryEvent queryEvent) {
    // The generated QueryListener replaced by this method
    //#{bindings.ImplicitViewCriteriaQuery.processQuery}
    QueryDescriptor qdes = queryEvent.getDescriptor();
    //get the name of the QueryCriteria
    System.out.println("NAME "+qdes.getName());
    invokeQueryEventMethodExpression("#{bindings.ImplicitViewCriteriaQuery.processQuery}",queryEvent);
    private void invokeQueryEventMethodExpression(String expression, QueryEvent queryEvent){
    FacesContext fctx = FacesContext.getCurrentInstance();
    ELContext elctx = fctx.getELContext();
    ExpressionFactory efactory = fctx.getApplication().getExpressionFactory();
    MethodExpression me = efactory.createMethodExpression(elctx,expression, Object.class, new Class[]{QueryEvent.class});
    me.invoke(elctx, new Object[]{queryEvent});
    Thanks,
    Navaneeth

Maybe you are looking for

  • Renaming a file in pages?

    Hello, I am running mountain lion 10.8.5 and just want to rename this file Thanks!

  • How to make "0" appear on the display right after its input?

    Ok so i created a Vi with a keypad and digital display. Everything works fine except when zero (0) or dot (.) are input. When I press either 0 or dot, it doesnt display on the display right away, it display after my next input. For example lets say I

  • Materialized view - fast refresh logs

    I understand that there will be a Change Data Capture(CDC) log maintained internally for materialized view fast refresh to happen. My question is, will this log get purged once the changes are applied to corresponding materialized view or will it per

  • Upgrade for movie rental

    Anyone know when we can expect the movie rental upgrade for existing aTV owners? It says to select upgrade software from the aTV settings menu but nothing happens. I don't see the new menu version and I rented something on iTunes and it won't show up

  • How to hide portlet

    Hi, Can someone help me to do this ? : I've got a two columns layout page P1. On the left side i have the pageflow portlet A. On the right side i have the pageflow portlet B. When i click on page P1, the portlet A display a form and the portlet B is