Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Pluggable URL Service (Direct Access Link Service) #25247

Closed
stacey-gammon opened this issue Nov 6, 2018 · 21 comments
Closed

Pluggable URL Service (Direct Access Link Service) #25247

stacey-gammon opened this issue Nov 6, 2018 · 21 comments
Labels
Team:Core Core services & architecture: plugins, logging, config, saved objects, http, ES client, i18n, etc

Comments

@stacey-gammon
Copy link
Contributor

stacey-gammon commented Nov 6, 2018

Direct Access Link Service

Goal

Provide an pluggable API that generates direct access links for applications with state.

As a bonus, conditionally store it as a short url with an optional expiration attribute.

Why is this important?

We can still more forward with many features without this service, so why should we prioritize it?

Reason 1: Migrations for URLs in saved objects

Without a migration plan, we can end up with a lot of URLs stored in various saved objects that are broken and deprecated. We hit this issue with reporting - Watcher configurations had a lot of legacy style reporting URLs. Even though we could deprecate those URLs in a major, we chose not to for awhile because it would be so disruptive to our users - breaking all of there watches. Now we have multiple features in the midst of development that will also potentially require storing URL references. We'll end up with the same issues but even more widespread.

Consider the situation with threshold alerts, wanting a reference to the URL of wherever the embeddable resided. One workaround without this service is taking whatever the current URL is and storing that with the alert, but that will result in us having no idea of what URLs are being stored and referenced and what URL changes would cause a BWC - no tests around it.

Reason 2: Clear division of responsibilities

Rather than having hacked together URLs handled by multiple teams, it should be the responsibility of the application that is rendering in that URL.

Considerations

Server side functionality

We will likely want at least the URL generation services to be available server side for certain alerts (for example, you can imagine wanting a link to a dashboard that you sent to "run in background" (#53335) , or a threshold alert that you created based off of a visualization in a dashboard (#49908).

Since I think we should rely on our new URL state sync utilities, I think that means we should move some of that functionality into common folder and ensure we do not directly rely on client side specific functionality (e.g. defaulting a variable to window.location.href).

Migrations

Some features may end up storing references to urls via this system, by storing a generatorId and state. Which team should be in charge of migrating these saved objects if the state stored has been deprecated? I believe we can solve the problem by having generators supply a migrateState function. Then the feature authors managing that specific saved object will be in charge of noticing deprecated url state stored, looping through the saved objects and running migrateState in it to store the new state.

API

GET api/generate_access_link 
{
  // A unique identifier for a particular URL. Plugins will use this for handling migrations for different URLs. For instance you could have a generatorId of `dashboardApp`, or `siemOverview`.  Each application or plugin can register many generator ids.
  generatorId: string,
  // The State Management Service will use this to restore the URL. It will be much easier
  // having this stored as key: state (e.g. `{ '_a' : { dashboardId: 123 } }` for migrations than
  // as a single url string.
  state: { [key: keyId]: Object },
  options?: {
      // Optionally create and return the link as a permalink that will be stored in elasticsearch
      // and less susceptible to breaking changes in the URL structure. The
      // benefit of a short url is that they can be BWC. Rather than simply store a mapping
      // of a short url to a link, we should store all the information required to generate
      // the link so we can run it through the generation process at load up time, to give us
      // a place to convert from one version to another seamlessly.
      permalink?: boolean,
      // If permalink is true, the following options are required:
      permalinkOptions?: {
        version: string,
        // Indicate when this short url should be automatically deleted from the database.
        // This could be a future implementation, not necessary in phase one, and would
        // be reliant on the task manager as a periodic clean up task would be implemented on
        // top of it.  Format also TBD. Could use the moment strings, such a "1w, 1d", or accept
        // a timestamp.
        expires?: string,
        // Optionally allow the user to specify a name when creating the short url rather than
        // an auto generated id.
        // TODO: I recall some possible security issues with doing this, need to sync with
        // Court or security team to make sure I am not forgetting something...
        id?: string
      }
  }
}

Plugin

export class DirectAccessLinkPlugin
  implements Plugin<DirectAccessLinkSetup, DirectAccessLinkStart> {
  private generators: { [key: string]: DirectAccessLinkGenerator<typeof key> } = {};

  constructor(initializerContext: PluginInitializerContext) {}

  public setup(core: CoreSetup) {
    return {
      registerLinkGenerator: (generator: DirectAccessLinkGenerator<string>) => {
        this.generators[generator.id] = generator;
      },
    };
  }

  public start(core: CoreStart) {
    return {
      generateUrl: <G extends GeneratorId>(id: G, state: GeneratorStateMapping[G]) => {
        const generator = this.generators[id] as DirectAccessLinkGenerator<typeof id>;
        if (!generator) {
          throw new Error(`No link generator exists with id ${id}`);
        }
        return generator.generateUrl(state);
      },
    };
  }

  public stop() {}
}

Storage

When the Generate Access Link service is used with permalink: true then a saved object of type permalink will
be created in the .kibana index with all the information needed to recreate the non-permalink version of the link.

Management

Current issues with our short url service:

Short urls never get deleted from es
We plan to store these new short url access links as saved objects which means we can easily
expose them in the saved object management interface for management capabilities, such as delete, with little additional effort.

With the capability of detecting parent-child object relationships, broken reference links could be
identified.

Additional feature requests

Human readable links
Solved via the permalinkOptions.id attribute.

How this works with Embeddables

Many actions that are tied to embeddables would like to use URLs. For instance, if a dashboard wanted to store all it's queries in a background saved object, and alerts. In each case, there is a desire to store a URL that contains the specific embeddable, but the dashboard doesn't know where it came from. We may be able to pass in an optional object to Embeddables to supply this information to actions based on where they are embedded.

Migrations

implementors of the system can handle migrations "on the fly", using the version string, or register a saved object migration.

Registries

Server/Common:

  DirectAccessLink.registerURLGenerator<T extends { [key: string]: Object }>({
    generatorId: string,
    toUrl: (state: T) => string,
    toState: (url: string) => T,
  });

Routes:

  registerRoute('api/url_generator/to_url', {
    const { generatorId, state } = request.params;
    return DirectAccessLink.getUrlGenerator(generatorId).toUrl(state);
});

// Not sure we need this one or just the "to URL" version.
registerRoute('api/url_generator/to_state', {
    const { generatorId, url } = request.params;
    return DirectAccessLink.getUrlGenerator(generatorId).toState(url);
});

Embeddable threshold alert integration

Threshold alerts integration could use this service like so:

createThresholdAlert(sourceEmbeddable, alertParameters, alertAction) {
  const previewUrl = directAccessLinkPlugin.getLinkGenerator('embeddableReportingViewer').createLink(sourceEmbeddable.getInput());
  alertAction.attachImageUrl(previewUrl);
}

Chat ops integration

A chat ops integration could use this service like:

route.add('api/chatops', (params) => {
  const { command, ...args } = parse(params);
  if (command === 'dashboard') {
    const { dashboardId, filters, query, timeRange } = args;

    // Use the direct access link generator to create a link for the dashboard but in preview mode.
    const previewUrl = directAccessLinkPlugin.getLinkGenerator('dashboardReportPreview').createLink({
      dashboardId, filters, query, timeRange
    });
    const png = await ReportingPlugin.generatePng(previewUrl);

    // Use the direct access link generator to create a link for the main dashboard app page.
    const mainUrl = directAccessLinkPlugin.getLinkGenerator('dashboardApp').createLink({
      dashboardId, filters, query, timeRange
    });

    return { message, image: png, link: mainUrl};
  
  }
}); 

Make it slow integration

Background searches could use this integration as well, if we passed along a linkGenerator to the embeddable to get access to the url/state of the context it exists in, so when we click "view searches" we can send the user back to the original URL, but also ensure that it's set to reference the search ids in the collector cache

@stacey-gammon stacey-gammon added Team:Core Core services & architecture: plugins, logging, config, saved objects, http, ES client, i18n, etc Team:Visualizations Visualization editors, elastic-charts and infrastructure labels Nov 6, 2018
@elasticmachine
Copy link
Contributor

Pinging @elastic/kibana-platform

@elasticmachine
Copy link
Contributor

Pinging @elastic/kibana-app

@jasonrhodes
Copy link
Member

jasonrhodes commented Jun 27, 2019

This looks interesting but I don't fully understand it and I'm wondering if it's at all related to the linking use-case I'm thinking of? I'll describe that here for comment. :)

When APM wants to link to ML, or Infra to SIEM, etc etc, the app that wants to render a link (source app) needs to consider a few things:

  • Does the license give access to that link destination?
  • Does the current space have access to that link destination?
  • Is that link destination enabled in Kibana at all?
  • What is the url format for the link destination (and what happens if the target app changes that URL format later?)

In observability we've suggested one solution to this problem could be having each plugin define a set of "linking functions" that provide link hrefs for anything other apps may want to link to import { linkToTrace } from 'links/apm' etc. Required params would be outlined via Typescript, so the linkToTrace function may require a traceId, etc. That link will return either a) a string href, or b) some indication that the destination is not accessible, which can be handled in the source app.

If apps use their own link functions to generate links within their own app, they would be guaranteed to stay accurate even if paths, query params, etc. change.

Again, not sure if this problem is related to this issue here, but this is the problem we see most often right now.

@stacey-gammon stacey-gammon changed the title Pluggable Saved Object URL Service Pluggable URL Service Jun 27, 2019
@stacey-gammon
Copy link
Contributor Author

Thanks for the input Jason, I do think it's related and should be thought about when something like this is designed. It's not just links to saved objects but links to application pages, and they might not be backed by a saved object. So my original proposal which was written up a good bit ago should probably be rethought. But I agree it's an issue I keep see coming up, and will again when we want the user to be able to customize drilldown links.

@stacey-gammon
Copy link
Contributor Author

After thinking about this, it probably makes more sense to start with a client side only solution, which is easier and I think would still cover most of the use cases. Ignore the short url use cases for an initial phase.

I've started thinking the action framework might work well. Something like:

const navigateAction = uiActions.get(DASHBOARD_NAVIGATION_ACTION);
const disabled = navigateAction.isCompatible();
return <Link onClick={navigateAction.execute({ query: this.state.dynamicQuery, filters: this.state.dynamicFilters })} disabled={disabled} />;

Attach this action to the "APPLY_FILTER_TRIGGER" and drilldown links work.

Been meaning to try to come up with a POC for this, but haven't gotten around to it yet.

@stacey-gammon stacey-gammon changed the title Pluggable URL Service Pluggable URL Service (Direct Access Link Service) Jan 14, 2020
@stacey-gammon
Copy link
Contributor Author

cc @streamich - I am thinking of taking this idea a bit further. I think it will be useful for alerts, background searches and drilldowns. As you dig into drilldowns, think about how you could use such a service, e.g. a dashboard drilldown uiAction that under the hood called something like:

  directAccessLinks.generateUrl('dashboardAppLinkGenerator', state: { query?, filters?, dashboardId?, version: string });

I think this will be more useful in the end than using UI actions, since we can do things like handle on the fly migrations, server side URL creation, deprecation warnings, and any object that wants to reference a url can do so by storing the generatorId and the state object. Most implementors of this would use the kibana util services to take the state and put it in the url.

Maybe if we do this we can have the background search team handle migrations by seeing this deprecation warning and updating the state.

cc @lukasolson @ppisljar

@Dosant
Copy link
Contributor

Dosant commented Jan 27, 2020

@stacey-gammon, some thoughts:

  1. Should we also consider using this for deep linking between apps?

  2. Should we also try to use this service as a suggested and centralised approach for apps to migrate older urls on-fly?
    e.g. when user accesses an outdated non-permalink (from bookmarks for example), we can use this service to migrate it to newer version using migrations registered within the plugin.

// happens in browser when app bootstraps: 
const url = window.location.href;
const generator = directAccessLinkPlugin.findGeneratorForUrl(url); // try to guess generator for this kind of url;

if (generator) {
  const state = generator.toState(url) // migrated state
  const newUrl = generator.toUrl(state) // new migrated url - we could also put state into local storage instead of url. 
  history.replace(newUrl);  // continue with state in relevant shape
}

this can be wrapped in a plugin, which apps just need to require. And as directAccessLinkPlugin are already configured by the apps, this redirect plugin will have all needed information to do the migrations.

@stacey-gammon
Copy link
Contributor Author

Should we also consider using this for deep linking between apps?

Yea I think so

Should we also try to use this service as a suggested and centralised approach for apps to migrate older urls on-fly?

That's a really cool idea! Although with my current thoughts, findGeneratorForUrl wouldn't work. I was thinking that the way migrations could work is to actually return a new generator id for each version of the URL. I think this would help with typescript because we'll want legacy state object types around while in deprecation mode, until they are officially no longer supported.

class GoogleSearchGenerator implements DirectAccessLinkGenerator<typeof GOOGLE_SEARCH_URL_V2> {
  readonly id = GOOGLE_SEARCH_URL_V2;
  isDeprecated = () => false;
  generateUrl = async (state: GoogleSearchUrlStateV2) =>
    `www.google.com/search?q=${state.query}&${state.withinTimeRange !== 'none' ??
      `as_qdr=${state.withinTimeRange ?? 'd'}`}`;
}

class LegacyGoogleSearchGenerator
  implements LegacyAccessLinkGenerator<typeof GOOGLE_SEARCH_URL_V1, typeof GOOGLE_SEARCH_URL_V2> {
  readonly id = GOOGLE_SEARCH_URL_V1;
  generateUrl = async (state: GoogleSearchUrlStateV1) => `www.google.com/search?q=${state.query}`;
  isDeprecated = () => true;

  migrate(
    stateV1: GoogleSearchUrlStateV1
  ): { generatorId: typeof GOOGLE_SEARCH_URL_V2; state: GoogleSearchUrlStateV2 } {
    return { generatorId: GOOGLE_SEARCH_URL_V2, state: { ...stateV1, withinTimeRange: 'none' } };
  }
}

I'm not sure though if it makes sense to do it this way... I need to dig in a little more. I do think we'll need a way to type the old states though. And also what happens if you migrate a url multiple times, do you go from v1 to v2 to v3 or straight from v1 to v3? Probably we'll hit the same issues our migration system handles. Using separate generator ids I think might end up more manageable, but, I have yet to get a good enough feel for it.

@AlonaNadler
Copy link

Most common pain point with regards to URLs from users:

  1. Kibana URL are too long
  • can't share them on several systems since they reach the maximum number of charcters
  • reports fail due to reaching the max of URLs
  • unpleasant to share 25 lines of URL in slack
  1. Short URL requires to write privilege - that issue comes up very often. Companies can't give the users write privileges which then prevents them from using the short URL.
  2. Users ask for ways to tweak the URL parameters
  3. Users are asking to customize the URLs for example, if they have multiple environments to add the type in the URL for easy distinguishing, or just having a alona-dashboard url

** whichever solution we have we need to provide a migration plan to not break all existing urls

@stacey-gammon
Copy link
Contributor Author

stacey-gammon commented Jan 27, 2020

I'll recap one key motivation for this kind of service which was not made very clear.

This service is important because it handles migrations of URLs in saved objects - whether it be background searches, threshold alerts, or dashboards with drilldown configured actions.

The plugin author who created the saved objects does not know where the URLs being stored in them originated from and should not be in charge of migrating them. This is especially true when in the context of external developers. For example, plugin developer Joe wrote an app that uses a dashboard embeddable which has panels that expose "create threshold alert" functionality (built by plugin developer Sue). The URL for viewing where this alert was generated from will point to Joe's app. What happens if Joe changes the app's URL structure? Joe doesn't know about threshold alerts, and Sue doesn't know about this app. Who will migrate the data saved in the saved object?

One solution that was brought up in the meeting was to not migrate it in saved objects but only migrate on the fly, handled by the app. The problem is that we end up with a slew of old saved objects that contain old style URLs, that can't be migrated. Joe's app will have to support these old style URLs for a long time, if he doesn't want to break all his user's existing alert links.

This is a situation we ran into with reporting and watches that referenced reporting URLs. Even though we technically could break these urls in a major version we chose not to because it would have been very disruptive to all the users with a ton of old watches.

If we have a generic system for migrating URL references, we can go through a period of 'this is a legacy URL, it must be migrated, it will no longer be supported in version xyz'. Then our solution teams have a chance to update any saved objects with URL references in them by using the generic url migration system:

migrateMySavedObjects(oldSavedObj) {
  const generator = directAccessLinkPlugin.getGenerator(oldSavedObj.urlRef.generatorId);
  if (generator.isLegacy()) {
    const { newGenId, newState } = generator.migrate(oldSavedObj.urlRef.state);
    oldSavedObj.urlRef = { generatorId: newGenId, state: newState };
  }
  return oldSavedObj;

This way the user who created the saved object doesn't need to know anything about what URLs its storing, it'll get that information from the link generator along with the migration information. The app can also use this same functionality for migrating URL state on the fly for the period of time that the URL will be deprecated but still supported. We can use telemetry to determine how often old references are still around and when we can move from deprecated to not supported.

@lukeelmers
Copy link
Member

Okay after spending more time thinking about this, here's a brain dump 😄

I think what has gotten me hung up is referring to everything as "URL State", since in the new platform the single source of truth for application state resides with the app itself as explained in #39855.

If we can no longer rely on URLs always being there, then the service (and approach to migration) needs to be designed to only deal in state objects. Whether that state is synced to the URL is purely an implementation detail of a particular app.

This means each app is responsible for:

  • receiving any state the direct access link service gives it,
  • merging that portion of the state tree with the rest of its state,
  • providing migrations for how to deal with legacy state objects,
  • optionally running those migrations on the fly,
  • and optionally syncing state to url and/or storage,

The direct access link service is responsible for:

  • creating short urls, associating them with apps & saved state, and storing them
  • redirecting users to the correct app when a short url is hit, while passing along the stored state

And solutions plugins using the service are responsible for:

  • calling the service to generate a url with the state they want to store
  • running the migrations on any state they've stored

With that in mind, I have a few questions:

  • If the goal of the link generator registry is to allow other plugins to run migrations from a particular app against their own saved objects, could they alternatively do this by importing a pure function statically from the corresponding app?
  • And if the access service is able to update just a portion of an app's state tree, do we still need apps to be able to register multiple generators each, vs one per app?

I'm wondering if something along these lines would work:

Phase 1 - client side only

Replicate the existing URL-based behavior by creating a simple app that takes an appId and serialized state object in the URL params, and redirects to the corresponding app while passing along the parsed state object in memory.

For the sake of example, suppose we call this goTo:

// mySolutionPlugin.ts

const state = encodeURIComponent(JSON.stringify({ foo: 'bar' }));
// url format is `${host}/app/goTo/${appId}${optionalPath}?_=${state}`
const url = `localhost:5601/app/goTo/dashboard/some/path?_=${state}`;

// goTo app then parses the appId / state and does a redirect:
await core.application.navigateToApp('dashboard', {
    path: '/some/path',
    state: { foo: 'bar' },
});

// which redirects you to:
`localhost:5601/app/dashboard/some/path`

// dashboardAppPlugin.ts

// At this point, the app is mounted and must pick up the state
// from `window` or react-router props:
const { state } = window.navigation.history;
// The app will optionally update URL via state sync utilities:
`localhost:5601/app/dashboard/some/path?_a=(foo:bar)`

Each app would also expose a public interface of their state object:

export interface DashboardPublicAppState {
  version: number;
  dashboardId: string;
  filters?: Filter[];
  query?: Query;
  timerange?: TimeRange;
}

Users who don't want to manipulate the URL and just want to do this programmatically from their own plugin can do this already with navigateToApp and the app state interface:

const state: DashboardPublicAppState = {...};
await core.application.navigateToApp('dashboard', { state });

As for migrations, apps could support these by statically exporting a simple reducer, perhaps with an isLegacy helper method:

// exported from direct access link service
interface AppStateMigrator<AppState> {
  migrate: (legacyState: legacyState) => AppState;
  isLegacy: (state: unknown) => boolean;
}

// dashboardAppPlugin.ts
export const stateMigrator: AppStateMigrator<DashboardAppState> = {
  migrate: oldState => ({ version: 2, migrated: true }),
  isLegacy: oldState => oldState.version < 2;
}

Then solutions plugins could apply these to some state they have stored in a saved object:

// mySolutionPlugin.ts
import { stateMigrator } from 'src/plugins/dashboard/server';
const { isLegacy, migrate } = stateMigrator;

const currentState = { version: 1, migrated: false };
const state = isLegacy(currentState) ? migrate(currentState) : currentState;
// Update saved objects with new `state`

Later if we needed to, we could stick this in a registry, but as long as these are pure functions they can be statically imported on the client/server by other plugin devs, which solves the original goal of folks applying migrations from outside of a plugin.

Phase 2 - server

Generate short URL hashes which are stored with corresponding state in a permalink saved object. This would be a replacement for the existing shorturls implementation.

Creating a new short url involves posting the state and other metadata to a REST API similar to the one in this issue's description:

> POST api/short_url/generate // or whatever it is called
{
  id?: string, // this is how you customize the short code
  appId: string, // app you are redirecting to
  path?: string,
  state: Record<string, any>,
  expires?: string,
}

< HTTP 200
{
  id: '123abc',
  url: 'localhost:5601/app/goTo/123abc',
  ...etc,
}

Then navigating to one of these shortcodes would take you to our goTo app which would do the saved object lookup for that ID, retrieve the state, and perform the same type of redirect as described in Phase 1 above.


The main difference in this approach is that there isn't a generator ID, only a single app ID, and versioning lives in the state object (which is where we actually care about versions).

So my question is - does something along these lines solve our use cases as well, and would it be simpler?

@lukeelmers
Copy link
Member

So my question is - does something along these lines solve our use cases as well, and would it be simpler?

Going to partially answer my own question here after having further discussions with @stacey-gammon -- this approach should work for solving the shorturls issue & passing state through a URL. But the more we have looked into it, the migration use case becomes increasingly complex, because the implications are widespread and affect several services outside of this new proposed access link service.

With that in mind, #56166 has been opened to discuss these migration challenges in greater detail.

I still think it'd be worth considering a service like this in the meantime, and simply continue to use on-the-fly migrations for now until a longer term strategy has been identified.

@lukeelmers
Copy link
Member

An interesting idea was also raised in #4338 regarding providing direct access using URL parameters. This is somewhat similar to the "client side redirect app" idea I mention above in terms of ergonomics:

Although this is out of scope of this issue, Here is my suggestion (assuming it does not already exist):

  1. Add the ability to define named parameterized queries using the API or UI; Think "Stored procedures". (http://localhost:5601/query_by_name/logs_by_request_id)
  2. Ensure that links to these parameterized queries can be made by providing those parameters in the URL. (http://localhost:5601/query_by_name/logs_by_request_id?env=production&request_id=foo)

This has the advantage of not requiring any access to the API to create these links and pushes the definition of that parameter contract to the end-user; freeing Elastic from the responsibility of maintaining such a contract. Perhaps this could even be an extension of the direct link access service?

@stacey-gammon
Copy link
Contributor Author

Want to just drop in here another use case for this service: global search/navigation (#56232). Saved objects will show up in this search and will need links for how to open them.

This is an interesting use case, we may need to expose a registry, mapping saved object type to generator id. If we coupled them, then we couldn't migrate using the id itself.

@stacey-gammon
Copy link
Contributor Author

I added a basic implementation here: #57496

There is no client side redirect app, it's just a register of generators that have createUrl(state: S) => Promise<string> functions.

At least for the ML replacement, in it's current form, it would need the usual URL because they show it to the user:

Screen Shot 2020-02-12 at 3 14 59 PM

which has the migration issues but changing it now would be a breaking change.

The client side redirect app I think is still a good idea for apps that want to take state that isn't in the URL. I think we could have both.

Phase 1:

interface DirectAccessLinkGenerator {
  createUrl(state: S) => string;
}

interface DirectAccessLinkPluginSetup {
  registerDirectAccessLinkGenerator: (id: string, generator: Generator<id>);
}

interface DirectAccessLinkPluginSetup {
  getDirectAccessLinkGenerator: (id: string): Generator<id>;
}

Phase 2 (if needed/when important):

interface DirectAccessLinkGenerator {
  createUrl(state: S) => string;
}

interface DirectAccessLinkPluginSetup {
  // loading up the `http://.../redirectApp?id="123";state={...}` would grab the
  // right state handler instance, call stateHandler.instantiateState(state), which might
  // in turn use window.href.location = generator(id).createUrl(urlState);
  registerRedirectHandler: (id, stateHandler: (state: S) => void); 
  registerDirectAccessLinkGenerator: (id: string, generator: Generator<id>);
}

interface DirectAccessLinkPluginSetup {
  getDirectAccessLinkGenerator: (id: string): Generator<id>;
}

The more I think about that though, I don't know if I see the benefit of this redirect app - the state is still in a url, just a different url.

Either way, what do you think about moving forward with an initial, simple implementation like in #57496?

@ryankeairns
Copy link
Contributor

Want to just drop in here another use case for this service: global search/navigation (#56232). Saved objects will show up in this search and will need links for how to open them.

This is an interesting use case, we may need to expose a registry, mapping saved object type to generator id. If we coupled them, then we couldn't migrate using the id itself.

That's right, we're thinking the initial version would allows users to navigate to apps and saved objects, and it would like something like this:

Screenshot 2020-02-12 14 48 06

The Core UI team's roadmap is still being shaped, but this feature is very near the top.

This was referenced Feb 13, 2020
@andrewvc
Copy link
Contributor

I'm a little late to the party here, but I have a question to make sure I understand the proposals here. In these proposals are we giving any weight to making sure links are actually hrefs that are right clickable to open in a new window, copyable, etc (in other words, they follow the standard UX conventions of links), or are they going to wind up as buttons with onclick attributes that change the browser state internally?

The way I read @lukeelmers ' comment it sounds like you'd click through to the app, and only after clicking through the app can decide to update its URL as optional next step. Is that a correct understanding?

@stacey-gammon
Copy link
Contributor Author

I think we'd want them to be href links so users can open in new tab, also they might be created server side and used externally, like in a "share to slack" action.

@joshdover
Copy link
Contributor

I don't believe Global Search is quite blocked on this. We have an existing API that plugins can use to specify how to build a link to a SavedObject. It is currently in use by the Saved Objects UI in Management.

This needs to be migrated to the Platform, but right now legacy plugins can specify the getInAppUrl option as part of the savedObjectManagement uiExport. Example:

getInAppUrl(obj) {
return {
path: `/app/kibana#/management/kibana/index_patterns/${encodeURIComponent(obj.id)}`,
uiCapabilitiesPath: 'management.kibana.index_patterns',
};

@timroes timroes added Team:AppArch and removed Team:Visualizations Visualization editors, elastic-charts and infrastructure labels Mar 27, 2020
@elasticmachine
Copy link
Contributor

Pinging @elastic/kibana-app-arch (Team:AppArch)

@kibanamachine kibanamachine added this to To triage in kibana-app-arch Mar 27, 2020
@stacey-gammon
Copy link
Contributor Author

closed with #57496

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
Team:Core Core services & architecture: plugins, logging, config, saved objects, http, ES client, i18n, etc
Projects
kibana-app-arch
  
Done in current release
Development

No branches or pull requests

10 participants