Display relationships between objects

I've been tasked/ proposed to deliver a new project involving
two displayObjects... say 2 squares. Between those squares, I need
to show a connecting relationship of hierarchy. So, I need to have
a visual line connecting the 2 objects.
Does anyone know if there is already a class for this in Flex
or what I might use to demo this quickly. Never done this sort of
data visualization before, but the math can't be to hard.

"jwoozy" <[email protected]> wrote in
message
news:g96kmn$80o$[email protected]..
> I've been tasked/ proposed to deliver a new project
involving two
> displayObjects... say 2 squares. Between those squares,
I need to show a
> connecting relationship of hierarchy. So, I need to have
a visual line
> connecting the 2 objects.
>
> Does anyone know if there is already a class for this in
Flex or what I
> might
> use to demo this quickly. Never done this sort of data
visualization
> before,
> but the math can't be to hard.
>
I think there is something here
http://flexbox.mrinalwadhwa.com/,
but I
don't have time to search through it for you.
HTH;
Amy

Similar Messages

  • Relationship between Objects Not Found in PA

    Dear all,
    I have uploaded objects (Org Unit, Job, and Position) and the relationships between objects separately using LSMW.
    When i checked the update of the relationship between objects in PA30, but the relationship between objects (Org Unit, Job, and Position) did not exist, yet exists in PP02.
    I tried to upload the relationships between objects using holder (A008) in LSMW again, still I could not find the relationships in PA30, but exist in PP02.
    Then I tried to run rhinte00 and rhinte30 to link the relationship between objects. I managed to get through rhinte00, but failed to run rhinte30.
    Below is the report log when I tried to run rhinte30.
    Report log:   
    Processing mode:   Processing successful 
    Number of personnel nos. selected :   0 
    Personnel numbers with errors:

    Check the following.
    1. Check if integration is active in T77S0 table PLOGI PLOGI = Your active plan version & PLOGI ORGA = X
    2. Check if all your objects are created with this active plan version
    3. Check the feature PLOGI to see if your PA PSA etc for the employee are integrated.
    cheers
    Ajay

  • Relationship between Object Type QK & Q

    Can someone help here. I am trying to confirm if there is a relationship between object type QK (qualification group) & Q (qualification). I checked HRP1001 but did not seem to find a relationship between these two object types. Is there another table I need to check.
    Thank you.

    Hi,
    Have you checked A/B 030?
    Q A030 Is a specialization of QK
    QK B030 Is a generalization of Q
    The table for all relationships in general is T777E.
    Hope this helps.
    Donnie

  • Custom: use constant value in relationship between objects?

    I have two related classes:
    * Class A uses application identity, and has multiple PK fields, PK1 and
    PK2.
    * Class B has a 1-many relationship with class A. However, class B's
    database table only has a column that relates to Class A's PK2 column.
    (the PK1 value is a constant) for all Class B objects).
    I have no idea how to express this relationship via kodo. Can anyone
    assist?

    What I've chosen to do is add a new DB column to my table which has a
    constant value (ie: is the same for every row). Then I can join with it.
    I'd request this simple feature to be added in a future release: the
    ability to specify a literarl constant value as part of the join
    criteria in the metadata. It could be very easily added: instead of
    specifying a column containing the join value, you could put the literal
    into the .jdo file.
    thanks.
    Patrick Linskey wrote:
    You could put together a custom field mapping that performed the join
    like you described if you really wanted to. Bear in mind, however, that
    the field mapping APIs are subject to change etc. etc. etc.
    -Patrick
    On Tue, 20 May 2003 22:25:16 -0400, David Michaels wrote:
    Thanks for the quick reply, as usual Abe.
    In this case, I will link to the full PK of the related object, just one
    of the components of that PK is a constant. There's no place to
    override the SQL used for these sort of joins?
    Perhaps I can do this with a view too.
    Abe White wrote:
    It's not possible to create a Kodo relation that doesn't actually link
    to the (full) primary key of the related object. Note that in general,
    that kind of database design is not a good idea, because there's no
    guarantee you're linking to a unique object.
    You can use a Kodo query to get the related objects; you could hide the
    query behind your getter method.

  • Relationship between objects and information stored in a database

    I've got a question that's pretty broad... but maybe someone can help with it.
    I'm writing a couple of classes, one called "Customer" and the other "Store". Store can contain any number of customers, which it keeps in an array. A customer object has name and address fields, as well as an array of the current movies the customer has checked out. A third "Driver" class has the main method which calls the other two classes. When a new customer is created, it is put into the array in an object of store, and written to disk in a file named with the customer's ID number.
    My question is, I'm not really sure how objects tie in with the actual database on the hard disk. For example, if I run the program once and add 3 customers, all three get written to disk, and exist in memory as objects. However, when I exit the program, I lose all 3 of those objects from the array of customers in the store object.
    So, when I run the program a second time, the array is gone, though the customer information remains on disk. I have methods to delete/add customer objects to an object of store, but those don't do me any good without the array in memory. I thought that I could just load all data from disk, and put them back into the array, but isn't that inefficient if the database is very large? Is there a better way to deal with this?
    I hope that was reasonably clear. I'd appreciate any help. Thanks.

    i would make the store a manager of the customer objects whose
    responsibilities include read and writing the objects as well as caching
    them.
    here is some sample code for this.
    public class Customer(){
      int id;
      /* the id field is the unique identifier for each Customer.
         this field should probably be our primary key in our database
         table. you don't have to use a number but whatever it is it
         needs to be unique */      
      boolean updated;
      public Customer(int customerId){
        id = customerId;
        updated = false;
      public int getCustomerId(){
        return id;
      /* if the customer object has been changed and needs to flushed back
         to the database this returns true. */
      public boolean needsFlushing(){
        return updated;
      /* and your other methods go here... */
    }and now for the Store...
    public class Store{
      private Customer[] cache;
      public Store(){
        cache = new Customer[10];
        /* here i have hard coded as 10, you could change this or for more
           flexibility use a Vector or such. */
      /* spin through the cache and return the matching customer. if the
         customer is not in the cache load it in the database. */
      public Customer getCustomer(int customerId)throws SQLException{
        for(int j=0;j<cache.length;j++){
          if((cache[j]!=null)&&(cache[j].getCustomerId()==customerId)){
            return cache[j];
        Customer c = loadCustomer(customerId);
        addToCache(c);
        return c;
      public void addCustomer(Customer c)throws SQLException{
        /* adds a new (non-existing customer) */
        saveCustomer(c);
        addToCache(c);
      public void close()throws SQLException{
        /* flushes back any updated customers */
        for(int j=0;j<cache.length;j++){
          if((cache[j]!=null)&&(cache[j].needsFlushing())){
            saveCustomer(cache[j]);
        cache = null;   
      private Customer loadCustomer(int customerId)throws SQLException{
        /* here would be code for loading a customer object from the
           database that matches the customerId. */
        return new Customer(customerId);//temporary 
      private void saveCustomer(Customer c)throws SQLException{
        /* here would be the code for saving the customer c into the
           database */
      private void addToCache(Customer c){
        /* this method adds the customer c to the cache. it may have to
           to remove an older customer from the cache to do this. i leave
           the algorithm for deciding this up to you */

  • How do I create parent/child relationship between objects? so that if I change one, I change all

    I have multiple instances of an object, and I would like to make any changes that I put on one of these objects to perpetuate and change on the other instances of the object

    turn your object into a symbol, and place multiple instances of it on the artboard, when you edit the symbol all instances will update.

  • Creating custom mappings between objects

    I currently have a db schmea that supports "soft" deletes. Example:
    Client table has fields:
    id - primary key (number)
    name - varchar
    active ("Y" or "N" where "Y" means active and "N" means "INACTIVE")
    We also have a table Users:
    id - primary key (number)
    name - varchar
    active ("Y" or "N" where "Y" means active and "N" means "INACTIVE")
    When I delete a user I want to set its active field to "N" and then when
    someone reads users from the client (after I have saved my changes) I want
    only users whoses active field is "Y" to be returns, i.e.
    Client clientA = <read client A>
    Collection users = clientA.getUsers();
    Is there a way to configure/customize the mapping/relationship between
    objects?
    Thanks!
    Bruce

    All of the emails are really my way of getting a soft delete to work. Does
    KODO support this feature or is their a standard work around to support
    this feature?
    Thanks!
    Bruce
    Alex Roytman wrote:
    You could break you collection into multiple mutually exclusive
    subcollections (like active/inactive) and have your object model to map them
    separately (via views with mutually exclusive criterion) When changing a
    collection member's status you will need to move it from active collection
    to inactive. Complete collection can be dode as dybamic (delegating)
    composition of the subcollections (but it will cost twice as much to fetch
    it)
    Try to resolve your issues on object model level. I believe altering sql
    mappings to make them very fancy will cause you lots of grief in the long
    run
    "Bruce" <[email protected]> wrote in message
    news:[email protected]...
    I also want to do something similiar to support object history. I could
    have a Client object which gets modified and instead of editing this
    object I would copy it, inactivate the copy and then edit the original.
    This allows for full history. I can always select by active (or a more
    complicated status) to get the rest of the history instead of the "top".
    Views here seems like a hack. I have activew fields in all of my tables so
    I would nee views for each table which is a lot to manage if fields are
    changing (need to change them in both places). Also this creates issues
    since views are really read-only.
    Isn't there a way to change the SQL used to read a relationship?
    Bruce
    Alex Roytman wrote:
    map your classes against views with (where active = 'Y') to make sure
    "soft
    deleted" records do not get read and have your object model to handlesoft
    deletes (like removing from collections etc) use helper methods to do"soft
    deletes" masking real deletes is not good idea - you will need them atsome
    point
    "Stephen Kim" <[email protected]> wrote in message
    news:[email protected]...
    While there is nothing default that does particularly what you desire,
    but from my perspective, you should not have Kodo do anything by
    default
    as you will probably want to delete the inactive instances at somelater
    point.
    Instead you should look into Query.setCandidates:
    http://www.solarmetric.com/Software/Documentation/2.4.3/docs/jdo-javadoc/jav
    ax/jdo/Query.html
    i.e. public Collection getActiveUsers ()
    PersistenceManager pm = JDOHelper.getPersistenceManager
    (this);
    Query q = pm.newQuery (User.class, true);
    q.setFilter ("active == "N"");
    q.setCandidates (users);
    return q.execute ();
    I haven't tested the above code and there are a lot of optimizations
    you
    could do such as caching the query in a transient collection but Ithink
    you get the idea.
    You may want to post your thoughts on our newsgroups
    (news://news.solarmetric.com) and see how other people are tackling
    similar probles..
    Bruce wrote:
    I currently have a db schmea that supports "soft" deletes. Example:
    Client table has fields:
    id - primary key (number)
    name - varchar
    active ("Y" or "N" where "Y" means active and "N" means "INACTIVE")
    We also have a table Users:
    id - primary key (number)
    name - varchar
    active ("Y" or "N" where "Y" means active and "N" means "INACTIVE")
    When I delete a user I want to set its active field to "N" and then
    when
    someone reads users from the client (after I have saved my changes)I
    want
    only users whoses active field is "Y" to be returns, i.e.
    Client clientA = <read client A>
    Collection users = clientA.getUsers();
    Is there a way to configure/customize the mapping/relationship
    between
    objects?
    Thanks!
    Bruce
    Stephen Kim
    [email protected]
    SolarMetric, Inc.
    http://www.solarmetric.com

  • Relationship btween object in h.r

    hellow i have a work in hr (abap)and i wont to learn about the relationship between objects in h.r like(objid,sobid,pernr...). if some one now about pdf or something else that can help i will  appraise it .
    (some one told me about the book hr 50 but i dont have it so i dont now) thanks ahead .

    Hi,
    The pdf in the following link gives an overview of org. object and their relationshipd. For detailed help refer help.sap.com.
    http://www.purdue.edu/onepurdue/contribute_pdf/overview-of_om_objects.pdf
    Thanks,
    Prasath N

  • Display of relationships between nodes of multiple trees

    Hello,
    I am trying to develop a gui to display the relationship between multiple trees.
    Tree1:------|---------------Tree2:----------------|--------Tree3:
    ------------|-------------------------------------|--------------
    Root -------|----------------Root-----------------|--------Root
    ---Leaf1----|--------------------Node1------------|-----------LeafA
    ---Leaf2----|-----------------------Leaf11--------|-----------LeafB
    ---Leaf3----|-----------------------Leaf12--------|-----------LeafC
    ---Leaf4----|--------------------Node2
    ------------|-----------------------Leaf21
    ------------|-----------------------Leaf22
    (The hyphens do not signifiy relationships, they are put there because the
    preview takes away the blanks. The | characters are intended to act as separators
    between adjacent trees.)
    All the trees are scrollable and have been added to three different scrollpanes
    and are displayed on a window. The relationships can only be between leaves
    of the trees.
    The only way I can figure out to show such relationships is by drawing lines
    e.g. a line from Tree1.Leaf1 to Tree2.Leaf21 etc. Users may define relationships
    by drawing lines from one tree node to another by dragging the mouse.
    The lines may criss cross and there might be a lot of lines etc.
    I would like to know about alternative ways to show such relationships on the
    screen in a neater way.
    I would also like a way to make lines "full fledged objects" e.g. they will get mouse
    events such that actions can be triggered by double clicking or right clicking on a
    line.
    I would appreciate your help in this very much.
    Best Regards,
    Sandeepan

    Joop Eggen and deriderj, thank you for your replies.
    However, the JGraph framework is available only on Jsdk 1.4 and not on Jsdk 1.3.
    I saw an item in the FAQ about the possibility of porting JGraph to 1.3 but there were
    no links on the site for this.
    I need to use Jsdk 1.3 as Jsdk1.4 is unsuported by the vendor of one of the tools that I need
    to use and they do not have any plans to support 1.4 in the near future.
    I would appreciate the forum's help in pointing out JGraph like functionality in Jsdk1.3 via some other API or maybe knowledge about whether someone has ported JGraph to Jsdk 1.3
    Regards,
    Sandeepan

  • Relationships between Business Objects

    Hi,
    Does anyone know where to look to find the relationships between various business objects? If you look at most ES descriptions, there is usually a reference to a business object. I'd like to find somewhere where I could see the entire network of relationships.
    Thanks
    Dick

    hi,
    IMHO there is no straight-forward relationship between business objects. business objects are independent entities offering some operations to manipulate them. if some business object wraps('has') some other business objects, it is nevertheless supposed to be manipulated by some operations(services), which refer to the aggregate object only. otherwise you you would loose loose coupling.
    business object share a certain context though, common domains where they are required. in SAP this is reflected through ES bundles, e.g. <a href="https://wiki.sdn.sap.com/wiki/display/ESpackages/CourseApprovalProcesses">this</a>. In such an ES bundle description you find a  <a href="https://wiki.sdn.sap.com/wiki/display/ESpackages/CourseApprovalProcessesBusinessObjects">link</a> affected by the use cases which are to be handled within this ES bundle.
    my point of view,
    anton

  • Additional data on relationship between two objects

    Hi
    We have a requirement to capture additional data on a relationship between two objects.  The data to be captured are custom fields that are unique to the relationship between the objects and not specific to either of the objects.
    We created a new object type and related it to the position (S)and the job (C) object.  In the customising (Personnel Management/Personnel Development/Basic Settings/Maintain Relationships there is an option to set up Additional Data.  There are however several restrictions (e.g. the substructure has to be in T77AD).  When you set up an existing substructure (e.g. PAD22) and screen (e.g. 3000), it works really well, however we have not been able to get this to read our own substructure and screen (since there is no customer include on HRP1001 and the 'Additional data' button seems to go to MP100100 to find the screen).
    My question is two fold:
    a) Is this an allowed customisation (e.g. can we create our own substructure, screen and Query string)? And if so, how does the data get into T77AD (since SAP recommends that data should not be added to this table)? and
    b) Is there any documentation on this (thus far I have only received info on how to enhance infotypes which I don't think is relevant???)?
    If this can not be maintained is there any other suggestions on how to deal with this scenario?
    Any assistance will be appreciated.
    Regards
    Liezl

    Hi everyone
    Thanks for everyone who tried to assist us with this.  I am happy to report that our in-house guru's have found the answer.  So, for anyone who is interested:
    In programme MP100100 you have a screen 6000 which is a customer enhancements screen.  We set up two in-house function modules for the PBO and PAI with its own screen and added an append structure to PAD31 to add the fields required.  In the configuration, we then specified PAD31 as the substructure with screen 6000 and then also specified our own PBO and PAI function modules.  The parameters required for screen 6000 is set up within our own customer screens.
    Hope this will be helpful to someone - it certainly seemed to open up some doors for us!
    Regards
    Liezl

  • 1-to-1 Relationship Between UI and subVI Data Cluster

    Discussion continued from here.
    In summary:
    JackDunaway wrote:
    Yes,
    I can see clear benefits in implementing this Idea - that is, if your
    underlying datatype elements have a 1:1 relationship with the UI
    elements.
    I will
    illustrate this point by showing some potential flaws in your example:
    "Profile Running" and "Profile Complete" are mutually exclusive, no?
    Wouldn't it be better to have a single enum named "Profile" with three
    elements "Idle, Running, and Complete" for the underlying datatype?
    Having two mutually exclusive pieces of data in an underlying datatype
    is among my favorite of code smell indicators.
    Also, the underlying datatype probably only needs "Forward Miles" and
    "Reverse Miles" since "Total Miles" is derived. Exclude "Total Miles"
    from the underlying cluster and just show the sum for display.
    Another
    argument against using a 1:1 relationship: the customer now wants to
    multiply speed by -1 if Direction==Reverse and not show the Direction
    enum on the UI. The data source (the VI that generates the data) would
    need to be updated using your 1:1 relationship. Using underlying data
    different from the display data, only the data client (the UI front
    panel) needs to change. I would be much more inclined to service the UI
    FP for a cosmetic upgrade rather than tracing the data source back
    through the HMI framework, through TCP, back to the RT, back to FPGA...
    Basically...
    I question a perfectly overlapped Venn Diagram where the set of data
    shown to the user equals the dataset used for underlying data
    processing/messaging/storing. The underlying datatype should be as
    stripped and streamlined as possible, while the display datatype can
    inherit all the flair and post-processing that Upper Management wants to
    see in a UI.
    LabBEAN wrote:
    <JackDunaway wrote
    I will illustrate this point by showing some potential flaws in your example...
    <LabBEAN response
    The data you see maps directly to tags on the PLC.
    <JackDunaway wrote
    Yes, I can see clear benefits in implementing this Idea - that is, if your underlying datatype elements have a 1:1 relationship with the UI elements.
    <LabBEAN response
    JackDunaway wrote:
    This is a good indicator that we're both aware at this point that I'm
    missing something... in all seriousness, could you reply to the 1:1
    argument? I really want to understand this Idea and learn how/if I need
    to apply it to my own style (our last back-and-forth turned out to be an enlightening and introspective exercise for me).
    ***EDIT: By all means, please start a discussion on the LabVIEW board so we're not hindered by the Exchange's interface. ***
    My long delayed response:
    The indicators you see map to tags on the PLC.  That is, we were connecting through OPC to an application on a PLC that was written ~15 years ago.  I have a VI where I read a bunch of SVs (Shared Variables).  Each SV is bound through OPC to a PLC tag.  In the interest of disclosure, two 16-bit tags are required to represent each 32-bit mileage number.  In the same subVI, I read each set of mileage tags, convert, and feed my subVI cluster indicator.  The same is true for wheel size:  three bits get converted to the enum.  Regardless, though, I have one subVI that reads SVs and outputs the same "underlying data" cluster that is seen on the UI.  The UI has a "Faults" cluster full of fault Booleans that follows the same logic.  When the user configures a profile of steps, they do so via an array of "step" clusters (although the cluster look is hidden for aesthetics).  It's the same thing as above except we write tags instead of reading them.
    In my case, each set of 16-bit tags is worthless as two 16-bit numbers.  They are only useful as a 32-bit mileage, so I don't pass around the raw 16-bit data.  The same is true for the wheel size bits. My software can just as easily (in fact, more easily) operate on the enum.  So, the underlying cluster from the subVI is programmatically useful and applicable to the UI.  I would guess that the same is true for a lot of RT applications, where the read VI can have some intelligence to process the data into useful / applicable clusters.
    There are going to be cases where "Upper Management" would like to see "flair and post-processing" as you say.  Your speed illustration is a good example of this.  There are also instances where the cluster works fine on the UI the way it is (like this one and many others that we've seen).
    <JackDunaway wrote
    "Profile Running" and "Profile Complete" are mutually exclusive, no?
    Wouldn't it be better to have a single enum named "Profile" with three
    elements "Idle, Running, and Complete" for the underlying datatype?
    <LabBEAN response
    Did you mean "not" mutually exclusive?  We combined 3 "dependent" (not mutually exclusive) Booleans into an enum for Wheel Size, as I mentioned above.  Not sure now why we went the other way with these two (this was 2 years ago).  In any event, with regard to UI representation, I still pass a cluster out of my read-raw-data-and-process-into-cluster subVI up to the applicable queued state machines and to the UI.
    <JackDunaway wrote
    Having two mutually exclusive pieces of data in an underlying datatype
    is among my favorite of code smell indicators.
    <LabBEAN response
    Working with applications written in ladder logic, it is not uncommon to see separate Booleans that indicate the same condition.  This seems to be especially true when safety is a concern.  That is, ladder Coil A ON and Coil B OFF == switch open.  Coil A OFF and Coil B ON == switch closed.  If you ever read OPC tags from Coil A and Coil B and the two are the same, you know the ladder is in transition (hasn't updated the tags).  Throw that point out and read again.
    I, too, appreciate our back-and-forths.  Good discussion.
    Certified LabVIEW Architect
    Wait for Flag / Set Flag
    Separate Views from Implementation for Strict Type Defs

    Thanks for replying, Jason. Let me see if I can craft a coherent response after getting back up to speed...
    (...later)
    OK, let's go. I'm going to fully agree with you that LabVIEW imposes a strange constraint unique from most other languages where a Typedef defines two things: the underlying data structure, and also the view. A Strict Typedef should be more accurately deemed the Datatype-View-Definition, and a Typedef would be more accurately called the Datatype-Definition-and-View-Suggestion. And to be clear, there are two types of views: the programmer's view (a SubVI look and feel) and the UI view (what the user and Upper Management sees). (Finally, I admit I'm ignorant whether view or View is more a more appropriate term)
    Linking the programmer's view to the datatype is perfectly fine with me, and based on your original Idea I think we both agree that's OK. I think we run into a disagreement where you have loosely tied the concept of "Strict TD" to "UI View".
    Historically, I have used Strict Typedefs for the programmer's view (SubVIs), since I like to maintain a "functional UI" at the SubVI level. I don't use type definitions on User Interfaces - only Controls. That's the reason your Idea does not appeal to me, but perhaps if your Idea were implemented, it would appeal to me since View and Implementation would be divorced as separate entities within the Type Definition. (Does that classify as a Catch-22?) So, you're Idea is fundamentally suggesting that Type Definition .ctl files should be more accurately called "a container that holds both a Type Definition and any number of View Definitions as well".
    Fundamentally, I think I finally understand the gist of your Idea: "let's ditch this weird constraint where View and Datatype are inextricably defined together in one file", and for that, I'll give Kudos to the original Idea. I got really tied up with the example you used to present the Idea, and plus I'm still learning a lot.
    Additional thoughts:
    This Idea reminds me of another: Tag XControl as Class View
    We've still got some arguing to do on a 1:1 relationship between underlying datatype and UI presentation, so put your mean face back on: 
    Since our last conversation, interestingly, I have been on an anti-Typedef kick altogether.  Why don't you drop some feedback on my attempt at a completely typedef-free UI framework?
    a.lia-user-name-link[href="/t5/user/viewprofilepage/user-id/88938"] {color: black;} a.lia-user-name-link[href="/t5/user/viewprofilepage/user-id/88938"]:after {content: '';} .jrd-sig {height: 80px; overflow: visible;} .jrd-sig-deploy {float:left; opacity:0.2;} .jrd-sig-img {float:right; opacity:0.2;} .jrd-sig-img:hover {opacity:0.8;} .jrd-sig-deploy:hover {opacity:0.8;}

  • Extending DataFinder to include Non-Data Entries and Relationships Between Entries

    I am trying to create custom data centralization and management software for our lab with DataFinder Toolkit.  In addition to storing data from data acquisitions, I want to be able to store additional information with the data such as images, pdf files, word documents that can be easily accessed after finding the data.  My current idea is to handle external files by storing the filepath in a property of an object vs trying to store the data itself in the datafinder database.  My code would know how to open these files so the user can see them with external software or a custom labview app.
    I also want to be able to store non-data objects such as an object that describes a piece of test equipment or a sample through properties and external files.  Images and documents are again important here.  And then create relationships through unique barcoded IDs that are a property in the datafinder entry.  So not only could I look at the data, I could find information about the samples and lab equipment. Or anything else we think needs to be saved.
    The code I am writing around DataFinder would be in charge of maintaining the unique IDs and know how the relationships between those IDs work to generate the proper queries. Like a 'Get Test Equipment Used' button next to a search result.
    For the external non-data objects I was going to use Labview code to create a file with all the information about the object (unique ID, properties and external file paths) and create a plug-in so the datafinder will index the file and make it searchable.
    Does this seem reasonable? I like the idea of working with one system and having everything update based on adding, deleting and modifying files in a folder. Also, I like the idea of not splitting the data management up into multiple technologies and having to make those work together.
    Solved!
    Go to Solution.

    From the description, you've given the system seems plausible. The non-data elements you discussed when broken down are just additional data to associate with an object.  Storing file paths seems plausible as done in the community example below:
    Execute String/Numeric Querry Using Data Finder Toolkit
    https://decibel.ni.com/content/docs/DOC-10631
    Regards,
    Isaac S.
    Regards,
    Isaac S.
    Applications Engineer
    National Instruments

  • Relationship between unknown SAP-TABLES

    Hi Folks,
    Lets take a scenario of populating an ouput internal table with fields from 4 unknown sap tables(relation between the tables is unknown). How can we check the relationship between those tables to populate the internal table..? What are the possible ways to check the relationship between tables..?
    Can u please help me on this.
    Thanks n regards,
    ram.

    Hi <b>Ram</b>,
        I tried the following method to find relation between tables and i think it is quite useful. I hope this will be of some use to you.
    ->   Goto SE11 and display one of the tables.
    ->   Click on the <b>Graphic</b> icon on the toolbar or use shortcut ctrlshiftF11
    ->   It displays all the related tables by foreign key and even gives you all check tables involved. If the list is a long one, you can even use <u>Find</u> option to check if the other tables you are trying to find relation with, exist in the screen.
        Hope this Helps!! Do get back!!
    Regards,
    <b>Naveenan</b>.

  • RELATIONSHIP BETWEEN VBAK/VBAP AND V46R_HEAD TABLE

    Hi,
    can you please tell me that is there any relationship between VBAK and  V46R_HEAD TABLE or VBAP and V46R_HEAD TABLE table.
    where V46R_HEAD TABLE is a structure and i want to display sme fields of vbak and some of V46R_HEAD  and some of VBAP.
    I got the relation between VBAK and VBAP ie. the field VBELN. But i am not getting the relation with V46R_HEAD sturcture.
    Please help me to solve this problem.

    Hi,
    the field vbeln is present in V46R_HEAD also.
    Please check it!!  Please do a CTR+F and look for VBELN.
    Regards.

Maybe you are looking for

  • Cisco Jabber windows call option and user addition issue

    Hi, After uploading the jabber-config.xml (EDI-BDI) on the CUCM, the call option for new user contacts started appearing but the already existing contacts in Jabber client have still no call option. Also when we add new contacts to the Jabber client,

  • When doing a second "Organize Library" cuz the first was too big, will iTunes recognize what's already copied over?

    I'm stuck with a large folder of music on my PC in My Music folder. And I used "Organize Library" in iTunes but it didn't copy everything over because the amount of music was too big. I've deleted the original copies of music outside of iTunes to ope

  • Is there a way to make the current row not editable

    Hi, I'm using JDev 11.1.1.2 In my usecase I have a Form , navigateable with next/previous , and for every row a I have a calculation which makes the row editable or not. For now I made it with disabled property on every input component set to some be

  • Using multiple select lists in ADF

    Hi, I am trying to use a multiple select list in my JSP page, and have a method in the ApplicationModule be called when the Struts action is called. I am following the example ADF tutorials, where the method is added to the ApplicationModule class, t

  • Error While Creating Sales Document - on a new rollout

    Dear Friends,         While going for new Plant Creation on a Rollout, i am getting the following error while creating Sales Order, Kindly suggest the needy to me, " _Template and one-time material processing is not activated