Child table of graphic Parent inheriting from filters

Hi all

I created a graph that represents the timeline to move transactions for the entire year. I also created graphics for each month and then activated the navigation from the parent graph for posting a link to each month chart. When you click on a month, it redirects to this table of the month.

The graph for that specific month is displayed, but all the graphics in navigation appear with the same data, because they inhereited the same filters as the parent chart. Filters months do not observe their originally designed filters.

Is there a way I can isolate the filters of each chart specific month to every month instead of in line with the filters of the motherboard?



(See the screenshots below for a better explanation)

transyr.PNG

Displays the parent chart spend information all year with months shown on the axis X. When clicked, navigation redirects the graphical dashboard for a specific month.



transmonth.PNG

The titles for each month and the format for graphics are correct. The only problem is that the original for this months table filter was not implemented.

Instead of show dates for the month, the dates are given for the entire year.

TransJan.PNG

Instead, I need my card appear as I have designed in the Oracle answers (as in the screenshot above). The dates are listed on the x-axis of the chart, and it is limited to a specified period of time.

I have a limitation of the function of navigation on the cards?

I found the answer to my own question... in the responses, on the 'criteria' tab the filter must be protected:

To protect a filter to change during navigation and generate

  • In the filter area in the criteria in Oracle BI answers tab, click the menu button for the filter that you want to protect, and then select the option Protect filter. A check mark appears next to the option when it is selected.

Tags: Business Intelligence

Similar Questions

  • Update the data to uppercase in the parent/child tables

    Hi gurus!

    In production, we have a table product and that is in reference by many tables making parent child relationship. By mistake, we realized last month some products have been added to lowercase and now we have a request to update all these product codes uppercase so that existing code that use these tables have no impact. Appreciate if you can give an idea about how can I update the existing data in the table parent uppercase as well as child records?

    Concerning
    Sri

    Are the product code that you need to update what is stored in the tables of children? If Yes, then you must do it in several steps, something like:

    Identify the child tables

    SELECT table_name, constraint_name
    FROM user_constraints
    WHERE r_constraint_name = (SELECT constraint_name
                               FROM user_constraints
                               WHERE table_name = 'PRODUCT_TABLE' and
                                     constraint_type = 'P');
    

    Create new product of upper-case code in the product table:

    INSERT INTO product_table
    SELECT UPPER(product_code), other_columns
    FROM product_table
    WHERE product_code <> UPPER(product_code);
    

    Update the children tables for caps product codes

    UPDATE child1
    SET product_code = UPPER(product_code)
    WHERE product_code <> UPPER(product_code);
    

    Finally, remove the tiny product_table product codes

    DELETE FROM product_table
    WHERE product_code <> UPPER(product_code);
    

    John

  • Sum of a stand-alone parent-child table

    I have two tables - a 'key' table containing a parent-child relationship of multi-layer and a table 'amount' that contains the keys for the nodes in the key as well as table of numeric values (for example the amounts).
    I want a query that returns each line in the table of key as well as the sum of the amount amounts of the table for the set of nodes of this key (so the root node would be the sum of all values of quantity).

    Here's what I mean: I have two tables, the KEY and the AMOUNT

    KEY has two columns, keys, and parent_key; key and parent_key have a relationship CONNECT BY parent_key = prior key (with null for the root parent_key):
    KEY     PARENT_KEY
    0       null
    1       0
    2       0
    3       0
    1A      1
    2A      2
    2B      2
    3A      3
    3B      3
    3C      3
    1A1     1A
    1A2     1A
    2A1     2A
    2A2     2A
    2B1     2B
    3A1     3A
    3A2     3A
    3C1     3C
    3C2     3C
    AMOUNT a two columns, keys, and amount; key points to KEY.key and amount is a value for that particular key
    (Note that all key values are leaf nodes in the KEY table)
    KEY     AMOUNT
    1A1     1 
    1A2     2 
    2A1     3 
    2A2     4 
    2B1     5 
    3A1     6 
    3A2     7 
    3C1     8 
    3C2     9 
    What I want is a result that looks like this, where the amount of each key is the sum of the amounts of its possible keys sheet
    KEY     AMOUNT
    0       45
    1        3
    2       12
    3       30
    1A       3
    2A       7
    2B       5
    3A      13
    3B       0
    3C      17
    1A1      1
    1A2      2
    2A1      3
    2A2      4
    2B1      5
    3A1      6
    3A2      7
    3C1      8
    3C2      9
    For example, the value of the key 2 a, 7, is the sum of the values of 2 a 1 and a 2, 2; key value of 3 is the sum of 3 a 1, a 3, 2, 3, C 1 and 2 of 3.

    Is it possible to do this with a single query?
    The idea I came with is, do a select on the KEY with a "Key CONNECT_BY_PATH" column so that each line contains a string that contains the keys of all his ancestors and then do a join on AMOUNT with IN the CONNECT_BY_PATH amount.key column; However, with a large amount of data, it takes a little time. Is there a way faster / more obvious to achieve?

    OK you have almost everything you need. Outer join just your two tables, and then perform a hierarchical query, noting the key root of each tree. Then group the data set resulting:

    with t1 as (select '0' "KEY", '' parent_key from dual
      union all select '1', '0' from dual
      union all select '2', '0' from dual
      union all select '3', '0' from dual
      union all select '1A', '1' from dual
      union all select '2A', '2' from dual
      union all select '2B', '2' from dual
      union all select '3A', '3' from dual
      union all select '3B', '3' from dual
      union all select '3C', '3' from dual
      union all select '1A1', '1A' from dual
      union all select '1A2', '1A' from dual
      union all select '2A1', '2A' from dual
      union all select '2A2', '2A' from dual
      union all select '2B1', '2B' from dual
      union all select '3A1', '3A' from dual
      union all select '3A2', '3A' from dual
      union all select '3C1', '3C' from dual
      union all select '3C2', '3C' from dual
    ), t2 as (select '1A1' "KEY", 1 amount from dual
      union all select '1A2', 2 from dual
      union all select '2A1', 3 from dual
      union all select '2A2', 4 from dual
      union all select '2B1', 5 from dual
      union all select '3A1', 6 from dual
      union all select '3A2', 7 from dual
      union all select '3C1', 8 from dual
      union all select '3C2', 9 from dual
    ), t3 as (
      select t1.key, parent_key, amount
        from t1 left join t2 on t1.key = t2.key
    ), t4 as (
      select CONNECT_BY_ROOT key root_key
           , level lv
           , t3.*
        from t3
        connect by prior t3.key = parent_key
    )
    select root_key "KEY", sum(amount) amount
      from t4
     group by root_key
     order by length(root_key), root_key;
    
  • How can I make sure that changes in a primary key (in the parent table) would also appear directly in the FOREIGN KEY in the child table?

    Forgive my question. I am very new to Oracle.

    How can I make sure that changes in the key primary supplier_id (concerning the supplier table) would also appear directly in the FOREIGN KEY (supplier_id) in the products table?

    Is that not all the primary key and FOREIGN KEY on?

    My paintings:

    I created 2 tables and connect to apply in the data base referential integrity, as I learned.

    CREATE TABLE - parent provider

    (the numeric (10) of supplier_id not null,)

    supplier_name varchar2 (50) not null,

    Contact_Name varchar2 (50).

    CONSTRAINT supplier_pk PRIMARY KEY (supplier_id)

    );

    CREATE TABLE - child products

    (the numeric (10) of product_id not null,)

    supplier_id numeric (10) not null,

    CONSTRAINT fk_supplier

    FOREIGN KEY (supplier_id)

    REFERENCES beg (supplier_id)

    );

    I inserted the following text:

    INSERT INTO provider

    (supplier_id, supplier_name, contact_name)

    VALUES

    (5000, 'Apple', 'first name');

    I expect that the supplier_id (5000) to the provider of the table also appears in the products table under key supplier_id having the same value which is 5000. But this does not happen.

    How to get there?

    Thanks in advance!

    Hello

    What is a foreign key in Oracle?

    A foreign key is a way to ensure referential integrity in your Oracle database. A foreign key means that the values of a table must appear also in another table.

    Ok!??

    What is now the right way to implement referential integrity in your Oracle database that the values of a table must also be included in another table?

    A foreign key referential integrity indeed enfore in ensuring that the value in the child table must have a corresponding parent key (otherwise you will encounter an error, as evidenced by "SomeoneElse"). However, it will never automatically insert a row in the other table.

    If you are looking for a solution that automatically inserts a record in the other table, maybe you should go for triggers:

    See:

  • ADF Parent-child tables of rules

    Hello

    I use JDeveloper and ADF 12.1.3. Now, I have a set of related tables, and each of them have only a child table.

    I have a jsf page master / detail for each child table. Inside it, I can insert a row in the parent table and several rows in the child table. Commit the button is clicked validate monkey for the booth tables. Link between the master (parent table) and retail (child table) is done via the partnership link and view for the user interface.

    Now, here's the rule I would apply: I can't commit newly created at the table parent without at least a new inserted row in child table.

    Because I have several parent-child tables in this case of use, I wanted to replace the EntityImpl class and add newly created to each parent table class, so I bussines logic in one place for this tables.

    We will look and taste to the table of one of the parents (not overloaded class EntityImpl):

    The Interior has generated parent EO class

    @Override

    {} public void beforeCommit (TransactionEvent transactionEvent)

    TODO implement this method

    If (! validateParentChildNumber()) {}

    throw new local ("not allowed.");

    }

    super.beforeCommit (transactionEvent);

    }

    public boolean validateParentChildNumber() {}

    If (getParentChild (). GetRowCount() > 0)

    Returns true;

    on the other

    Returns false;

    }

    This works well. If I inserts a row in the parent table and one or more rows in the child table passes validation. But if I get a line inside the parent table and no line of children tables I'm not allowed message in my browser.

    So here's where problem read. Once I'm getting now authorized message, no matter if I insert the new line of Herald, I cannot commit until what I restar my app. Why? Because now, I constantly have this message:

    ORA-02291: integrity constraint (RE. FK_PAR_PAR_ID) violated - key parent not found

    It's like I can't hire the existing parent row I inserted before the child missing line. Why is this happening? I should replace postChanges method and what to put in it?

    Thx a lot

    Yes, you should do it in all cases, but point of my post is - put this code in the method of beforeCommit() of the primary entity. Only you need to do in beforeCommit(), is to count the child related entities.

    In your java master entity impl class, you will have the method which returns a RowIterator with associated children, entities, something like that

    public getChildsEO() {} RowIterator

    return (RowIterator)...;

    }

    then, just call this method in beforeCommit() and see if there is at least a child entity...

    You have a point?

  • Why Developer SQL displays arrows (relations) between parent and child tables in my entity relationship diagram?

    Hello


    Oracle version:                     Oracle Database 11 g Release 11.1.0.7.0 - 64 bit Production

    The version of SQL Developer: 4.0.2.15 - 15.21 build

    I have a question about drawing diagram, entity-relationship with SQL Developer & I would be grateful if you could kindly give me a helping hand.

    I would like to draw an entity-relationship diagram in order to better visualize the relationship between multiple tables. After a google search, I found the following interesting article indicating the procedure to be followed:

    http://www.Oracle.com/technetwork/issue-archive/2014/14-may/o34sqldev-2193423.html

    (What I need and I'm trying to produce is Figure 4 in the article above)

    I made exactly as stated in the article & apparently everything has worked well enough, in other words, I had several UML as rectangles showing columns of tables, their data types, primary and
    foreign key and the arrows indicating the link between each parent/child table.

    Later, I tried to do the same thing on a different oracle instance and a different database by using the same procedure. Yet, something strange happened this time. Developer SQL printed on-screen tables, once again,.
    inside the rectangles with types, keys,... but, there was no arrow showing the link between the tables, I just saw on the grid the selected tables but without any association/relationship shown (as a symbol of an arrow)
    between them.

    I repeated the procedure on another instance of development, with a few test tables that I created with primary and foreign keys just to make sure I had followed the procedure correctly. Once again

    the test was successful, but when I repeated the test on another instance, the same problem persisted, in other words, no arrow (relationship) between tables.

    Any idea?

    This could be due to a lack of privilege on the instance? If Yes, what should be granted in what about roles?

    Thanks in advance

    I think that what you see is that not all databases have foreign keys - applications hard-coding relationships vs let the database to handle this.

    Connect to this instance different oracle and browse the tables affected - have FK constraints defined on them?

  • How to upgrade the parent table and child by updating the parent table

    I have a parent EMPLOYEE table that includes columns (sysid, serviceno, employeename...) sysid is the primary key, serviceno is the Unique key and I have DEPENDENT child table includes columns (sysid, employee_sysid, name, date of birth...) there still SYSID is a primary key for the table of dependants, employee_sysid is a foreign key in the EMPLOYEE table.

    Now I want to change SYSID (with the help of the sequence) in the EMPLOYEE table that they want an update in the table of people dependent

    Note: I have 10000 records in the EMPLOYEE table as I have 5 more children tables that need to update new SYSID.

    Please help me

    first disable FOREIGN KEY constraints.
    You can update Parent and child record with the help of the trigger.
    Here I give you an examlpe... It can help u.

    create a parent (id number primary key, name varchar2 (100)) table
    /
    create table child_1 (primary key id, p_id number number, date of birth, date)
    CONSTRAINT FK_id FOREIGN KEY (p_id) REFERENCES parent (ID))
    /
    create table child_2 (key primary id, p_id2, addr varchar2 number number (1000))
    CONSTRAINT FK_id2 FOREIGN KEY (p_id2) REFERENCES parent (ID))
    /

    Insert some test data for the parent tables and children.

    change the constraint to disable child_2 table FK_id2
    /
    change the constraint to disable child_1 table FK_id2
    /

    CREATE OR REPLACE TRIGGER delete_child
    BEFORE parent UPDATE ON
    FOR EACH LINE
    BEGIN
    UPDATE CHILD_1
    P_ID =:NEW.ID SET
    WHERE P_ID =:OLD.ID;
    UPDATE CHILD_2
    SET = P_ID2: NEW.ID
    WHERE P_ID2 =:OLD.ID;
    END;
    /

    then Upadte parent table primary key col and check the children tables.
    do enable constraints...

  • XML from the master-child tables

    Hello

    Just post here again for a quick response.

    XML from the master-child tables


    Best regards
    Hari

    Hello

    Using SQL/XML functions is the way to go in this case.

    SQL> select xmlroot(
      2           xmlelement("ROWSET",
      3             xmlagg(
      4               xmlelement("MASTER",
      5                 xmlforest(tm.master_id, tm.master_name, tm.master_location),
      6                   (
      7                    select xmlagg(
      8                             xmlelement("CHILD",
      9                               xmlforest(tc.child_id, tc.child_name, tc.child_location)
     10                             ) order by tc.child_id
     11                           )
     12                    from t_child tc
     13                    where tc.master_id = tm.master_id
     14                   )
     15               ) order by tm.master_id
     16             )
     17           )
     18         , version '1.0')
     19  from t_master tm
     20  where tm.master_id = 1
     21  ;
    
    XMLROOT(XMLELEMENT("ROWSET",XM
    --------------------------------------------------------------------------------
    
    
      
        1
        master name
        master location
        
          1
          child name 1
          child location 1
        
        
          2
          child name 2
          child location 2
        
        
          3
          child name 3
          child location 3
        
      
    
     
    

    Note that the first XMLAgg is optional here, since you want just a MASTER at a time.
    But if you need an XML document containing several masters, he will work as well.

    Alternatively, you can write a similar query with a GROUP BY clause (no correlated subquery, but a join between the master and the child instead):

    select xmlroot(
             xmlelement("ROWSET",
               xmlagg(
                 xmlelement("MASTER",
                   xmlforest(tm.master_id, tm.master_name, tm.master_location),
                     xmlagg(
                       xmlelement("CHILD",
                         xmlforest(tc.child_id, tc.child_name, tc.child_location)
                       ) order by tc.child_id
                     )
                 ) order by tm.master_id
               )
             )
           , version '1.0'
           )
    from t_master tm
         join t_child tc on tc.master_id = tm.master_id
    where tm.master_id = 1
    group by tm.master_id, tm.master_name, tm.master_location
    ;
    

    Published by: odie_63 on June 15, 2011 15:06

  • Records in the Child Table to return DBAT connector deletion and addition

    I'm trying to add a record of the child to a resource DBAT (11.1.1.5). The structure of the Table is set up like this:

    OIM_USR

    Usr_key First name Last_name

    OIM_ROLE

    USR_KEY ROLE_KEY

    Where OIM_USR is the parent, and OIM_ROLE is the child that can store multiple values per user.  The problem arises when there is already an existing value in the child table. Consider the following example for instance

    OIM_USR

    Usr_key First name Last_name
    45JohnDOE

    OIM_ROLE

    USR_KEY ROLE_KEY
    452454
    454453

    If I add another line to the role of the identity UI table Edit tab added resource role, but IOM is remove the previous two lines and then adding them back. We know that it is because the source OIM_ROLE table contains a timestamp of creation triggered update time when a row is added. If I add a line to OIM_ROW then all three are getting updates for a reason any. We can also see the history of resource shows three updates. Inserting a record of the child should not call the process of update tasks. I've attached a screenshot of the history of the resource.

    In addition, I upped the DBAT Connector logs and he showed a trace of remove:

    DELETE FROM OIM_ROLES WHERE OIM_ROLES. USR_KEY =?

    Why he deletes all children lines before an insertion?

    I think you use OOTB DBAT connector without modification. I think that's how its design to add/change/delete files. For child process also updated form, we follow the same approach.

    Are you facing any functional problem in connector DBAT to reach your use cases?

    ~ J

  • Drawbacks to the use of the child tables

    Hi, in Oracle NoSQL-GSG - Tables.pdf page 22: "Note that there is no downside to using children tables [instead of folders] even for the trivial cases."
    But currently, there are some disadvantages disadvantages, as illustrated in this simplified example:

    create a table - name personal
    Add-field - type STRING-identification
    Add-field - type STRING-familyName name
    Add-check-domain - name postalAddress
    Add-field - type STRING-city name
    Add-field - type STRING-name street
    output
    Add-check-domain - name invoiceAddress
    Add-field - type STRING-city name
    Add-field - type STRING-name street
    output
    primary key - id field
    output
    Plan add a table-name Personal-wait

    # In addition, we define the child table having a similar structure to show the differences:
    create a table - name Personal.Address
    Add-field - type STRING-name of the type of
    primary key - field type
    Add-field - type STRING-city name
    Add-field - type STRING-name street
    output
    add name Personal.Address table map - wait

    connect store - name kvstore


    «"set table - name personal - json ' {\"id\":\"1\', \"familyName\":\"Wu\'", \"postalAddress\ ': {\"town\":\"Rio\", \"street\":\"MyWay\ ""} ', \"Address\ ': {\"type\":\"delivery\', \"town\":\"Rio\'", \"street\":\"MyWay\"}}»
    # Please, you could allow "instead of"in the syntax of CLI to avoid ugly \"hiding?"

    get table - personal name - enough
    # Result is:
    {
    « id » : « 1 »,
    "familyName": "Wu."
    'postalAddress': {}
    "City": "Rio."
    "the street": "MyWay".
    },
    'invoiceAddress': null
    }
    # Address data (from child table) are not displayed (but it's a feature!)


    get table - name Personal.Address - enough
    0 rows returned
    # address data was not stored (and no error message was displayed in the command put above).

    "set table - name Personal.Address - json' {\"id\":\"1\", \"type\":\"delivery\"", \"town\":\"Rio\" ", \"street\":\"MyWay\ "}".
    get table - name Personal.Address - enough
    {
    « id » : « 1 »,
    "type':"delivery. "
    "City": "Rio."
    "the street": "MyWay".
    }
    # Good, it is stored, but not 'nested' correctly:


    get table - name personal - child Personal.Address - enough

    # This gives the person and her child in a sequence:
    {
    « id » : « 1 »,
    "familyName": "Wu."
    'postalAddress': {}
    "City": "Rio."
    "the street": "MyWay".
    },
    'invoiceAddress': null
    }
    {
    « id » : « 1 »,
    "type':"delivery. "
    "City": "Rio."
    "the street": "MyWay".
    }

    Kids tables are normal tables that have a name containing a point and that inherit the keys to their anchestors. They have disadvantages compared to the record types.

    At least the input/output JSON data is not as expected.

    Hello

    Child tables exist for two main reasons.

    1. They allow the related data modeling in independent lines, as I mentioned earlier.  In a relational system do you this with another table and a join to get information at the same time.
    2. Data in table, they allow access to the mother and child in an efficient and transactional data.  That you don't get modeling them as independent and make a join.  This is probably the point you've been away.

    Popping up a level of abstraction, Oracle DB NoSQL is a sharded system, designed to provide horizontal scaling with consistent performance.  It does this by placing recordings of the pieces separated according to the brightness of the line key.  All lines with the same brightness key are stored in the physical basis and are therefore available in a transactional manner.

    In a first level table (i.e. one without a parent) the brightness key is either explicitly set or it is precisely its primary key.  The brightness of a child table key is always key brilliance of its parent.  This means that if you have a table person with a primary key of '1' then all its child table lines who share this part of their primary key (e.g. <"1", "work_address"="">, <"1", "home_address"="">, etc.) are accessible to all, in the same transaction - that works for multiGet and updates, which can be done with lists of TableOperation.

    You're trying things with the CLI, which works, but is not the richest way to access the system, and is of course confusing sometimes.

    -Child flag you saw in the CLI is not there to specify the relationship between the table of the child, but rather to indicate that you want to get records from this table as well.  For example, if you have a person parent table and child table address and that you only want the parent lines that you do:

    get table - name person

    If you want to get the lines both person and address you

    get table - name person-child address (or Person.Address, I do not remember offhand)

    To do a specific identity, you do

    "get table - name person - child address - json ' {'id': '1'}"

    Is - this make more sense?

    Kind regards

    George

  • Apply criteria to child VO when executing Parent VO

    I use Jdev 11.1.1.3

    I have a Parent VO and VO child with a view that link linked between them.
    I have a Search Page with 4 search parameters, including the Parent VO 2 and 2 of the VO of the child. AM data control, I dropped the VO Parent and the child VO with her 2 different tabular associaed.

    My question is when the user enters the value of the child VO, and then when I run the query on the VO Parent, I want the criteria to apply for the VO of the child.

    I have tried to substitute the executeQueryForCollection in my Parent VO, obtained the viewlink in the VO Parent, then got the Destination (which is my child VO) and set the connection parameters.
    So my Code looks like

    ' public Sub executeQueryForCollection (Object, Object [] params qc,
    int noUserParams)
    {

    ViewLinkImpl viewLinkImpl = null;
    ViewLink UCS [] = this.getViewLinks ();
    String [] vluNames = new String [vlu.length];
    for (int j = 0; j < vlu.length; j ++)
    {
    vluNames [j] is ASI [j] .getName ();.
    If (vluNames [j] .equals ("ViewLinkName"))
    {
    viewLinkImpl = (ViewLinkImpl), ASI [j];
    break;
    }
    }

    ChildVOImpl childVOImpl = viewLinkImpl.getDestination ((ChildVOImpl));

    childVOImpl.setBindXXX ("Value");
    childVOImpl.setBindYYY ("Value");
    super.executeQueryForCollection (qc, params, noUserParams);

    }

    But what happens is that when I run it, I get an exception "parameter Missing IN or OUT to index: 1"because if I print the query for ChildVO, I see. "

    Select * from child Table where FiledName1 =: BindXXX and FieldName2 =: BindYYY and = FieldName3: BindAnotherID

    This BindAnotherId comes from where the Clause attached to the ViewLink.
    I expect the framework so that the value for BindAnotherID, because BindAnotherID is the field that ParentVO and ChildVO are associated.

    Can someone please shed some light on this or if you know a different approach to meet the requirement of the execution of a child VO executing test so VO parent is appreciated. Thanks in advance.

    Hello

    Please, try this link and see if it works, I've created a little demo to replicate your situation, and it seems to work for me. See if you can use this approach. I don't create additional view objects (other than the two objects from view base) and created a sample page.
    I created bind variable during execution and used (the objects in my view has not all bind variables)

    http://rnuka.blogspot.com/2013/03/master-detail-screen-with-search-fields.html

    I hope it's useful for you.

    Thank you
    Delighted Nuka.

    Published by: Nuka delighted March 29, 2013 16:16

  • Simple example of child to access the Parent data

    Hi all

    Im trying to explore and make sense of OOP.  Ive been learning as much as I can, but why cant seemt to extract data from a class parent child.  Ive put the child to inherit from the parent and creates an accessor parent to read and write.  I write the data in the parent class and then try to read data from the child's class. Is there something im missing? Anyone have or know a link to a simple example of this?

    Thank you

    Matt

    Ok.  I think you have a misunderstanding of the works the POO here.  The idea with OOP is that you can pass the child object in the parent methods and is in any case on this object.  Your drawing should look like this:

  • BGP announcement: How do I remove the attributes "next hop" and "metrics" inherited from OSPF?

    Hello

    I use a router THAT WAN Cisco ASR1001 connected via BGP AS65075 with our ISP.

    This router is connected through OSPF with our Cisco 7206VXR/NPE-G2 firewall.

    Topology:

    ISP <- bgp="" -="">RT 1001 <- ospf="" -="">FW 7206 <->LAN

    On the WAN router, static routes are set to null0 to always announce our class C networks.

    Route IP 192.168.10.0 255.255.255.0 Null0 250

    ...

    Network guidelines are placed in our BGP configuration:

    router bgp 65075

    The log-neighbor BGP-changes

    neighbor EBGP-PEER-IPv4-peer group

    EBGP-PEER-IPv4 neighbor fall-over bfd

    neighbour 192.168.88.138 distance - as 65200

    192.168.88.138 a neighbor EBGP peers PEERS-IPv4

    192.168.88.138 ISP IPv4 neighbor description

    next password 192.168.88.138 7 unknown

    !

    ipv4 address family

    ...

    network 192.168.10.0

    ...

    a neighbor EBGP-PEER-IPv4 soft-reconfiguration inbound

    EBGP-PEER-IPv4 neighbor distribute-list prefix-v4 on

    an EBGP-PEER-IPv4 neighbor prefix-maximum 100

    neighbor EBGP-PEER-IPv4-1 filter list out

    neighbor 192.168.88.138 activate

    neighbor 192.168.88.138 filter-list 2

    output-address-family

    A part of these networs are also learned through OSPF. If these routes are present in the routing table:

    RT-01 #sh ro ip 192.168.10.0

    Routing for 192.168.10.0/24 entry

    Known via "ospf 1", distance 110, metric 20, type extern 2, metric 1 forward

    Published by bgp 65075

    Last update to 192.168.0.79 on Port - channel1.28, 7w0d there is

    Routing descriptor blocks:

    * 192.168.0.79, from 192.168.0.71, 7w0d there is, through Port - channel1.28

    See metric: 20, number of share of traffic is 1

    Because these roads are active in the rounting table. Announcing BGP based on his and attributes "next hop" and "metric" are inherited from OSPF:

    RT-01 #sh ip bgp neighbors 192.168.88.138 announced-routes

    ...

    Network Next Hop path metrics LocPrf weight

    ...

    * > 192.168.10.0 192.168.0.79 20 32768 I

    ...

    Is it possible to remove the legacy of OSPF into BGP attributes?

    How to set the "next hop" to the value 0.0.0.0 and "metric" to 0?

    Thank you

    Best regards

    Jérôme

    Hello Berthier,

    NEXT_HOP is a hill & attribute mandatory path including the eBGP value is the IP address of the BGP peer (specified in the neighbor's remote control) where the router learns the prefix. Thus, your peers (eBGP) will still see the IP 192.168.88.138 in your BGP Next Hop as updates. I agree you the output of the command ' sh ip bgp neighbors 192.168.88.138 roads announced "can be confusing, but not worried about it.

    Metric 20 is cause of path must be acquired by OSPF. Copy in default atributte MED BGP metric. So I see that you have only a peer is very important change this value because MED is not transitive, if this value is not propagated by other ACE access your provider. Anyway, if you want to change, you must:

    1. create a list of prefixes with one or more prefixes that you want to "reset" the MED value:

    list of prefixes prefix-to-reset-MED seq 5 permit 192.168.10.0/24

    list of prefixes prefix-to-reset-MED seq 10 permit X.X.X

    2. create a roadmap

    allowed to reset - MED card route 5

    match of prefix-to-reset-MED IP prefix-list

    the metric value 0

    road map provided to zero-MED allowed 10

    !

    The last road map is necessary to ensure that the rest of the prefixes are sent.

    3. apply the road map

    a neighbor EBGP-PEER-IPv4-roadmap given to zero-MED on

    Concerning

  • IOM 11 GR 2 - Entilements are removed if the child tables are not met.

    Hello experts,

    I use the OOTB DBUM connector.

    When a user has certain rights assigned to IOM (db, db roles privileges) need to be addressed in the child tables before any account update otherwise they are deleted/revoked.

    In other words when the update of a parent account attribute, I need also to populate child tables with payments already assigned, so I leave them blank, all payments will be deleted: empty child tables means "remove all rights", instead, I don't want to change the right assignments.

    How can I do this?

    Fixed by the creation and use of a new form of resources.

  • Access policy - remove a child table element

    Hello world

    I know that I can add the security group (child table of resource user AD) an AD with a Pollicy to access user account.

    Can I delete a group of security with an access policy?

    Thank you.

    Best regards.

    Yes you can.

    Case 1: Using existing access policy

    Change the access policy and to remove political access groups and access policy reassess existing aid assess political task of the user.

    This reapply the access policy and remove the eligibility list from the user groups and has AD.

    Case 2: Creating new access policy

    In this can create new policy without children table entries/groups.

    Then you must change the value of rule out based on your new political will to triggered.

    Role a rule say role is 'Full Time'

    unless and until what your role does not change new access policy will not comes into picture.

    suggestion if you perform commissioning using the access policy and then also use political access of shortages of resources and rights it will work well.

Maybe you are looking for

  • Re: Serial number of satellites not recognized by Toshiba support

    Hello I have a computer laptop satellite A200, and I'm not able to find a driver for it on the Toshiba site!-serial number (X8172841K) is not recognized, the message is: "Sorry, your product is not found" [translated from the French]-the support site

  • Need drivers XP for Satellite A10 S203

    HI :) I have reinstall my Toshiba Satellite A10 S203. (Model number: PSA10E-018EZ-NO)Problems is that I can't find the drivers on the own Toshiba driver download page. (A10-S203 is not listed) I was hoping that someone had a link, or at least a list

  • Satellite M40X-259: SCSI/RAID host controller

    Unfortunately, I uninstalled the SCSI and RAID drivers :( Where can I download this driver for my laptop? Help me! Thank you!

  • Constant listed in gray?

    I'm trying to understand the meaning of the constant gray listed above. When I switch to another selection and back, the constant is no longer greyed out. From what I can tell, there doesn't seem to be anything in the display format, properties, or i

  • Other devices with yellow! and cannot connect to internet after reformatting

    I reformatted my gateway with the original XP disc. Now the multimedia audio controller is missing and there are several "other devices" with yellow! I tried to update the drivers on the site of the bridge for this model, but it's still a mess, and I