Add rough versions of all 3 modals

This commit is contained in:
Mikayla Maki 2023-03-28 18:00:09 -07:00
parent 941da24f73
commit 9d8d2bb8f4
6 changed files with 480 additions and 206 deletions

View file

@ -155,7 +155,10 @@ impl Copilot {
SignInStatus::Authorized { .. } | SignInStatus::Unauthorized { .. } => { SignInStatus::Authorized { .. } | SignInStatus::Unauthorized { .. } => {
Task::ready(Ok(())).shared() Task::ready(Ok(())).shared()
} }
SignInStatus::SigningIn { task, .. } => task.clone(), SignInStatus::SigningIn { task, .. } => {
cx.notify(); // To re-show the prompt, just in case.
task.clone()
}
SignInStatus::SignedOut => { SignInStatus::SignedOut => {
let server = server.clone(); let server = server.clone();
let task = cx let task = cx
@ -463,35 +466,3 @@ async fn get_lsp_binary(http: Arc<dyn HttpClient>) -> anyhow::Result<PathBuf> {
} }
} }
} }
#[cfg(test)]
mod tests {
use super::*;
use gpui::TestAppContext;
use util::http;
#[gpui::test]
async fn test_smoke(cx: &mut TestAppContext) {
Settings::test_async(cx);
let http = http::client();
let node_runtime = NodeRuntime::new(http.clone(), cx.background());
let copilot = cx.add_model(|cx| Copilot::start(http, node_runtime, cx));
smol::Timer::after(std::time::Duration::from_secs(2)).await;
copilot
.update(cx, |copilot, cx| copilot.sign_in(cx))
.await
.unwrap();
copilot.read_with(cx, |copilot, _| copilot.status());
let buffer = cx.add_model(|cx| language::Buffer::new(0, "fn foo() -> ", cx));
dbg!(copilot
.update(cx, |copilot, cx| copilot.completion(&buffer, 12, cx))
.await
.unwrap());
dbg!(copilot
.update(cx, |copilot, cx| copilot
.completions_cycling(&buffer, 12, cx))
.await
.unwrap());
}
}

View file

@ -13,27 +13,105 @@ struct OpenGithub;
impl_internal_actions!(copilot_sign_in, [CopyUserCode, OpenGithub]); impl_internal_actions!(copilot_sign_in, [CopyUserCode, OpenGithub]);
const _COPILOT_SIGN_UP_URL: &'static str = "https://github.com/features/copilot";
enum SignInContents {
PromptingUser(PromptUserDeviceFlow),
Unauthorized,
Enabled,
}
pub fn init(cx: &mut MutableAppContext) { pub fn init(cx: &mut MutableAppContext) {
let copilot = Copilot::global(cx).unwrap(); let copilot = Copilot::global(cx).unwrap();
let mut code_verification_window_id = None; let mut code_verification_window_id: Option<(usize, SignInContents)> = None;
cx.observe(&copilot, move |copilot, cx| { cx.observe(&copilot, move |copilot, cx| {
match copilot.read(cx).status() { match copilot.read(cx).status() {
crate::Status::SigningIn { crate::Status::SigningIn {
prompt: Some(prompt), prompt: Some(prompt),
} => { } => {
if let Some(window_id) = code_verification_window_id.take() { let window_id = match code_verification_window_id.take() {
Some((window_id, SignInContents::PromptingUser(current_prompt)))
if current_prompt == prompt =>
{
if cx.window_ids().find(|item| item == &window_id).is_some() {
window_id
} else {
CopilotCodeVerification::prompting(prompt.clone(), cx)
}
}
Some((window_id, _)) => {
cx.remove_window(window_id); cx.remove_window(window_id);
CopilotCodeVerification::prompting(prompt.clone(), cx)
}
None => CopilotCodeVerification::prompting(prompt.clone(), cx),
};
code_verification_window_id =
Some((window_id, SignInContents::PromptingUser(prompt)));
cx.activate_window(window_id);
}
crate::Status::Authorized => match code_verification_window_id.take() {
Some((window_id, sign_in_contents)) => {
match sign_in_contents {
SignInContents::PromptingUser(_) => cx.remove_window(window_id),
SignInContents::Unauthorized => cx.remove_window(window_id),
SignInContents::Enabled => {
if cx.has_window(window_id) {
code_verification_window_id =
Some((window_id, SignInContents::Enabled))
}
return;
}
}
let window_id = CopilotCodeVerification::enabled(cx);
code_verification_window_id = Some((window_id, SignInContents::Enabled));
cx.activate_window(window_id);
}
None => return,
},
crate::Status::Unauthorized => match code_verification_window_id.take() {
Some((window_id, sign_in_contents)) => {
match sign_in_contents {
SignInContents::PromptingUser(_) => cx.remove_window(window_id), // Show prompt
SignInContents::Unauthorized => {
if cx.has_window(window_id) {
code_verification_window_id =
Some((window_id, SignInContents::Unauthorized))
}
return;
} //Do nothing
SignInContents::Enabled => cx.remove_window(window_id), //
} }
let window_id = CopilotCodeVerification::unauthorized(cx);
code_verification_window_id = Some((window_id, SignInContents::Unauthorized));
cx.activate_window(window_id);
}
None => return,
},
_ => {
if let Some((window_id, _)) = code_verification_window_id.take() {
cx.remove_window(window_id);
}
}
}
})
.detach();
}
pub struct CopilotCodeVerification {
prompt: SignInContents,
}
impl CopilotCodeVerification {
pub fn prompting(prompt: PromptUserDeviceFlow, cx: &mut MutableAppContext) -> usize {
let window_size = cx.global::<Settings>().theme.copilot.modal.dimensions(); let window_size = cx.global::<Settings>().theme.copilot.modal.dimensions();
let (window_id, _) = cx.add_window( let (window_id, _) = cx.add_window(
WindowOptions { WindowOptions {
bounds: gpui::WindowBounds::Fixed(RectF::new( bounds: gpui::WindowBounds::Fixed(RectF::new(Default::default(), window_size)),
Default::default(),
window_size,
)),
titlebar: None, titlebar: None,
center: true, center: true,
focus: false, focus: false,
@ -41,101 +119,72 @@ pub fn init(cx: &mut MutableAppContext) {
is_movable: true, is_movable: true,
screen: None, screen: None,
}, },
|_| CopilotCodeVerification::new(prompt), |_| CopilotCodeVerification {
prompt: SignInContents::PromptingUser(prompt),
},
); );
code_verification_window_id = Some(window_id);
cx.activate_window(window_id); window_id
}
_ => {
if let Some(window_id) = code_verification_window_id.take() {
cx.remove_window(window_id);
}
}
}
})
.detach();
// let window_size = cx.global::<Settings>().theme.copilot.modal.dimensions();
// let (_window_id, _) = cx.add_window(
// WindowOptions {
// bounds: gpui::WindowBounds::Fixed(RectF::new(Default::default(), window_size)),
// titlebar: None,
// center: true,
// focus: false,
// kind: WindowKind::PopUp,
// is_movable: true,
// screen: None,
// },
// |_| {
// CopilotCodeVerification::new(PromptUserDeviceFlow {
// user_code: "ABCD-1234".to_string(),
// verification_uri: "https://github.com/login/device".to_string(),
// })
// },
// );
}
pub struct CopilotCodeVerification {
prompt: PromptUserDeviceFlow,
}
impl Entity for CopilotCodeVerification {
type Event = ();
}
impl View for CopilotCodeVerification {
fn ui_name() -> &'static str {
"CopilotCodeVerification"
} }
fn focus_in(&mut self, _: gpui::AnyViewHandle, cx: &mut gpui::ViewContext<Self>) { pub fn unauthorized(cx: &mut MutableAppContext) -> usize {
cx.notify() let window_size = cx.global::<Settings>().theme.copilot.modal.dimensions();
let (window_id, _) = cx.add_window(
WindowOptions {
bounds: gpui::WindowBounds::Fixed(RectF::new(Default::default(), window_size)),
titlebar: None,
center: true,
focus: false,
kind: WindowKind::Normal,
is_movable: true,
screen: None,
},
|_| CopilotCodeVerification {
prompt: SignInContents::Unauthorized,
},
);
window_id
} }
fn render(&mut self, cx: &mut gpui::RenderContext<'_, Self>) -> gpui::ElementBox { pub fn enabled(cx: &mut MutableAppContext) -> usize {
let style = cx.global::<Settings>().theme.copilot.clone(); let window_size = cx.global::<Settings>().theme.copilot.modal.dimensions();
let (window_id, _) = cx.add_window(
WindowOptions {
bounds: gpui::WindowBounds::Fixed(RectF::new(Default::default(), window_size)),
titlebar: None,
center: true,
focus: false,
kind: WindowKind::Normal,
is_movable: true,
screen: None,
},
|_| CopilotCodeVerification {
prompt: SignInContents::Enabled,
},
);
window_id
}
fn render_device_code(
data: &PromptUserDeviceFlow,
style: &theme::Copilot,
cx: &mut gpui::RenderContext<Self>,
) -> ElementBox {
let copied = cx let copied = cx
.read_from_clipboard() .read_from_clipboard()
.map(|item| item.text() == &self.prompt.user_code) .map(|item| item.text() == &data.user_code)
.unwrap_or(false); .unwrap_or(false);
theme::ui::modal("Authenticate Copilot", &style.modal, cx, |cx| {
Flex::column()
.align_children_center()
.with_children([
Flex::column() Flex::column()
.with_children([ .with_children([
Flex::row()
.with_children([
theme::ui::svg(&style.auth.copilot_icon).boxed(),
theme::ui::svg(&style.auth.plus_icon).boxed(),
theme::ui::svg(&style.auth.zed_icon).boxed(),
])
.boxed(),
Label::new("Copilot for Zed", style.auth.header_text.clone()).boxed(),
])
.align_children_center()
.contained()
.with_style(style.auth.header_group)
.aligned()
.boxed(),
Flex::column()
.with_children([
Label::new(
"Here is your code to authenticate with github",
style.auth.instruction_text.clone(),
)
.boxed(),
MouseEventHandler::<Self>::new(0, cx, |state, _cx| { MouseEventHandler::<Self>::new(0, cx, |state, _cx| {
Flex::row() Flex::row()
.with_children([ .with_children([
Label::new( Label::new(data.user_code.clone(), style.auth.device_code.clone())
self.prompt.user_code.clone(),
style.auth.device_code.clone(),
)
.aligned() .aligned()
.contained() .contained()
.with_style(style.auth.device_code_left_container) .with_style(style.auth.device_code_left_container)
@ -159,12 +208,7 @@ impl View for CopilotCodeVerification {
.boxed(), .boxed(),
Label::new( Label::new(
if copied { "Copied!" } else { "Copy" }, if copied { "Copied!" } else { "Copy" },
style style.auth.cta_button.style_for(state, false).text.clone(),
.auth
.cta_button
.style_for(state, false)
.text
.clone(),
) )
.aligned() .aligned()
.contained() .contained()
@ -174,19 +218,13 @@ impl View for CopilotCodeVerification {
.boxed(), .boxed(),
]) ])
.contained() .contained()
.with_style( .with_style(style.auth.device_code_cta.style_for(state, false).container)
style
.auth
.device_code_cta
.style_for(state, false)
.container,
)
.constrained() .constrained()
.with_width(style.auth.content_width) .with_width(style.auth.content_width)
.boxed() .boxed()
}) })
.on_click(gpui::MouseButton::Left, { .on_click(gpui::MouseButton::Left, {
let user_code = self.prompt.user_code.clone(); let user_code = data.user_code.clone();
move |_, cx| { move |_, cx| {
cx.platform() cx.platform()
.write_to_clipboard(ClipboardItem::new(user_code.clone())); .write_to_clipboard(ClipboardItem::new(user_code.clone()));
@ -195,36 +233,214 @@ impl View for CopilotCodeVerification {
}) })
.with_cursor_style(gpui::CursorStyle::PointingHand) .with_cursor_style(gpui::CursorStyle::PointingHand)
.boxed(), .boxed(),
Flex::column()
.with_children([
Label::new(
"Paste this code into GitHub after",
style.auth.hint.text.clone(),
)
.boxed(),
Label::new("clicking the button below.", style.auth.hint.text.clone())
.boxed(),
])
.align_children_center()
.contained()
.with_style(style.auth.hint.container.clone())
.boxed(),
]) ])
.align_children_center() .align_children_center()
.contained() .contained()
.with_style(style.auth.device_code_group) .with_style(style.auth.device_code_group)
.aligned() .aligned()
.boxed()
}
fn render_not_authorized_warning(style: &theme::Copilot) -> ElementBox {
Flex::column()
.with_children([
Flex::column()
.with_children([
Label::new(
"You must have an active copilot",
style.auth.warning.text.to_owned(),
)
.aligned()
.boxed(),
Label::new(
"license to use it in Zed.",
style.auth.warning.text.to_owned(),
)
.aligned()
.boxed(),
])
.align_children_center()
.contained()
.with_style(style.auth.warning.container)
.boxed(), .boxed(),
Flex::column() Flex::column()
.with_children([ .with_children([
Label::new( Label::new(
"Copy it and enter it on GitHub", "Try connecting again once you",
style.auth.instruction_text.clone(), style.auth.hint.text.to_owned(),
)
.aligned()
.boxed(),
Label::new(
"have activated a Copilot license.",
style.auth.hint.text.to_owned(),
)
.aligned()
.boxed(),
])
.align_children_center()
.contained()
.with_style(style.auth.not_authorized_hint)
.boxed(),
])
.align_children_center()
.boxed()
}
fn render_copilot_enabled(style: &theme::Copilot) -> ElementBox {
Flex::column()
.with_children([
Label::new(
"You can update your settings or",
style.auth.hint.text.clone(),
)
.aligned()
.boxed(),
Label::new(
"sign out from the Copilot menu in",
style.auth.hint.text.clone(),
)
.aligned()
.boxed(),
Label::new("the status bar.", style.auth.hint.text.clone())
.aligned()
.boxed(),
])
.align_children_center()
.contained()
.with_style(style.auth.enabled_hint)
.boxed()
}
}
impl Entity for CopilotCodeVerification {
type Event = ();
}
impl View for CopilotCodeVerification {
fn ui_name() -> &'static str {
"CopilotCodeVerification"
}
fn focus_in(&mut self, _: gpui::AnyViewHandle, cx: &mut gpui::ViewContext<Self>) {
cx.notify()
}
fn focus_out(&mut self, _: gpui::AnyViewHandle, cx: &mut gpui::ViewContext<Self>) {
cx.notify()
}
fn render(&mut self, cx: &mut gpui::RenderContext<'_, Self>) -> gpui::ElementBox {
let style = cx.global::<Settings>().theme.copilot.clone();
theme::ui::modal("Connect Copilot to Zed", &style.modal, cx, |cx| {
Flex::column()
.with_children([
Flex::column()
.with_children([
Flex::row()
.with_children([
theme::ui::svg(&style.auth.copilot_icon).boxed(),
theme::ui::icon(&style.auth.plus_icon).boxed(),
theme::ui::svg(&style.auth.zed_icon).boxed(),
])
.boxed(),
match self.prompt {
SignInContents::PromptingUser(_) | SignInContents::Unauthorized => {
Flex::column()
.with_children([
Label::new(
"Enable Copilot by connecting",
style.auth.enable_text.clone(),
) )
.boxed(), .boxed(),
Label::new(
"your existing license.",
style.auth.enable_text.clone(),
)
.boxed(),
])
.align_children_center()
.contained()
.with_style(style.auth.enable_group.clone())
.boxed()
}
SignInContents::Enabled => {
Label::new("Copilot Enabled!", style.auth.enable_text.clone())
.boxed()
}
},
])
.align_children_center()
.contained()
.with_style(style.auth.header_group)
.aligned()
.boxed(),
match &self.prompt {
SignInContents::PromptingUser(data) => {
Self::render_device_code(data, &style, cx)
}
SignInContents::Unauthorized => Self::render_not_authorized_warning(&style),
SignInContents::Enabled => Self::render_copilot_enabled(&style),
},
Flex::column()
.with_child({
match &self.prompt {
SignInContents::PromptingUser(data) => {
theme::ui::cta_button_with_click( theme::ui::cta_button_with_click(
"Go to Github", "Connect to GitHub",
style.auth.content_width, style.auth.content_width,
&style.auth.cta_button, &style.auth.cta_button,
cx, cx,
{ {
let verification_uri = self.prompt.verification_uri.clone(); let verification_uri = data.verification_uri.clone();
move |_, cx| cx.platform().open_url(&verification_uri) move |_, cx| cx.platform().open_url(&verification_uri)
}, },
)
}
SignInContents::Unauthorized => theme::ui::cta_button_with_click(
"Close",
style.auth.content_width,
&style.auth.cta_button,
cx,
|_, cx| {
let window_id = cx.window_id();
cx.remove_window(window_id)
},
), ),
]) SignInContents::Enabled => theme::ui::cta_button_with_click(
"Done",
style.auth.content_width,
&style.auth.cta_button,
cx,
|_, cx| {
let window_id = cx.window_id();
cx.remove_window(window_id)
},
),
}
})
.align_children_center() .align_children_center()
.contained() .contained()
.with_style(style.auth.github_group) .with_style(style.auth.github_group)
.aligned() .aligned()
.boxed(), .boxed(),
]) ])
.align_children_center()
.constrained() .constrained()
.with_width(style.auth.content_width) .with_width(style.auth.content_width)
.aligned() .aligned()
@ -232,9 +448,3 @@ impl View for CopilotCodeVerification {
}) })
} }
} }
impl CopilotCodeVerification {
pub fn new(prompt: PromptUserDeviceFlow) -> Self {
CopilotCodeVerification { prompt }
}
}

View file

@ -765,6 +765,12 @@ impl MutableAppContext {
}) })
} }
pub fn has_window(&self, window_id: usize) -> bool {
self.window_ids()
.find(|window| window == &window_id)
.is_some()
}
pub fn window_ids(&self) -> impl Iterator<Item = usize> + '_ { pub fn window_ids(&self) -> impl Iterator<Item = usize> + '_ {
self.cx.windows.keys().copied() self.cx.windows.keys().copied()
} }

View file

@ -9,7 +9,7 @@ use gpui::{
use serde::{de::DeserializeOwned, Deserialize}; use serde::{de::DeserializeOwned, Deserialize};
use serde_json::Value; use serde_json::Value;
use std::{collections::HashMap, sync::Arc}; use std::{collections::HashMap, sync::Arc};
use ui::{ButtonStyle, CheckboxStyle, ModalStyle, SvgStyle}; use ui::{ButtonStyle, CheckboxStyle, IconStyle, ModalStyle, SvgStyle};
pub mod ui; pub mod ui;
@ -124,13 +124,14 @@ pub struct Copilot {
#[derive(Deserialize, Default, Clone)] #[derive(Deserialize, Default, Clone)]
pub struct CopilotAuth { pub struct CopilotAuth {
pub enable_group: ContainerStyle,
pub enable_text: TextStyle,
pub instruction_text: TextStyle, pub instruction_text: TextStyle,
pub cta_button: ButtonStyle, pub cta_button: ButtonStyle,
pub content_width: f32, pub content_width: f32,
pub copilot_icon: SvgStyle, pub copilot_icon: SvgStyle,
pub plus_icon: SvgStyle, pub plus_icon: IconStyle,
pub zed_icon: SvgStyle, pub zed_icon: SvgStyle,
pub header_text: TextStyle,
pub device_code_group: ContainerStyle, pub device_code_group: ContainerStyle,
pub github_group: ContainerStyle, pub github_group: ContainerStyle,
pub header_group: ContainerStyle, pub header_group: ContainerStyle,
@ -141,6 +142,10 @@ pub struct CopilotAuth {
pub device_code_right: f32, pub device_code_right: f32,
pub device_code_right_container: ContainerStyle, pub device_code_right_container: ContainerStyle,
pub device_code_seperator_height: f32, pub device_code_seperator_height: f32,
pub hint: ContainedText,
pub enabled_hint: ContainerStyle,
pub not_authorized_hint: ContainerStyle,
pub warning: ContainedText,
} }
#[derive(Deserialize, Default)] #[derive(Deserialize, Default)]
@ -720,7 +725,9 @@ pub struct DiffStyle {
pub struct Interactive<T> { pub struct Interactive<T> {
pub default: T, pub default: T,
pub hover: Option<T>, pub hover: Option<T>,
pub hover_and_active: Option<T>,
pub clicked: Option<T>, pub clicked: Option<T>,
pub click_and_active: Option<T>,
pub active: Option<T>, pub active: Option<T>,
pub disabled: Option<T>, pub disabled: Option<T>,
} }
@ -728,7 +735,17 @@ pub struct Interactive<T> {
impl<T> Interactive<T> { impl<T> Interactive<T> {
pub fn style_for(&self, state: &mut MouseState, active: bool) -> &T { pub fn style_for(&self, state: &mut MouseState, active: bool) -> &T {
if active { if active {
if state.hovered() {
self.hover_and_active
.as_ref()
.unwrap_or(self.active.as_ref().unwrap_or(&self.default))
} else if state.clicked() == Some(gpui::MouseButton::Left) && self.clicked.is_some() {
self.click_and_active
.as_ref()
.unwrap_or(self.active.as_ref().unwrap_or(&self.default))
} else {
self.active.as_ref().unwrap_or(&self.default) self.active.as_ref().unwrap_or(&self.default)
}
} else if state.clicked() == Some(gpui::MouseButton::Left) && self.clicked.is_some() { } else if state.clicked() == Some(gpui::MouseButton::Left) && self.clicked.is_some() {
self.clicked.as_ref().unwrap() self.clicked.as_ref().unwrap()
} else if state.hovered() { } else if state.hovered() {
@ -753,7 +770,9 @@ impl<'de, T: DeserializeOwned> Deserialize<'de> for Interactive<T> {
#[serde(flatten)] #[serde(flatten)]
default: Value, default: Value,
hover: Option<Value>, hover: Option<Value>,
hover_and_active: Option<Value>,
clicked: Option<Value>, clicked: Option<Value>,
click_and_active: Option<Value>,
active: Option<Value>, active: Option<Value>,
disabled: Option<Value>, disabled: Option<Value>,
} }
@ -780,7 +799,9 @@ impl<'de, T: DeserializeOwned> Deserialize<'de> for Interactive<T> {
}; };
let hover = deserialize_state(json.hover)?; let hover = deserialize_state(json.hover)?;
let hover_and_active = deserialize_state(json.hover_and_active)?;
let clicked = deserialize_state(json.clicked)?; let clicked = deserialize_state(json.clicked)?;
let click_and_active = deserialize_state(json.click_and_active)?;
let active = deserialize_state(json.active)?; let active = deserialize_state(json.active)?;
let disabled = deserialize_state(json.disabled)?; let disabled = deserialize_state(json.disabled)?;
let default = serde_json::from_value(json.default).map_err(serde::de::Error::custom)?; let default = serde_json::from_value(json.default).map_err(serde::de::Error::custom)?;
@ -788,7 +809,9 @@ impl<'de, T: DeserializeOwned> Deserialize<'de> for Interactive<T> {
Ok(Interactive { Ok(Interactive {
default, default,
hover, hover,
hover_and_active,
clicked, clicked,
click_and_active,
active, active,
disabled, disabled,
}) })

View file

@ -9,7 +9,7 @@ use gpui::{
fonts::TextStyle, fonts::TextStyle,
geometry::vector::{vec2f, Vector2F}, geometry::vector::{vec2f, Vector2F},
scene::MouseClick, scene::MouseClick,
Action, Element, ElementBox, EventContext, MouseButton, RenderContext, View, Action, Element, ElementBox, EventContext, MouseButton, MouseState, RenderContext, View,
}; };
use serde::Deserialize; use serde::Deserialize;
@ -220,7 +220,7 @@ pub struct ModalStyle {
close_icon: Interactive<IconStyle>, close_icon: Interactive<IconStyle>,
container: ContainerStyle, container: ContainerStyle,
titlebar: ContainerStyle, titlebar: ContainerStyle,
title_text: TextStyle, title_text: Interactive<TextStyle>,
dimensions: Dimensions, dimensions: Dimensions,
} }
@ -241,14 +241,23 @@ where
I: Into<Cow<'static, str>>, I: Into<Cow<'static, str>>,
F: FnOnce(&mut gpui::RenderContext<V>) -> ElementBox, F: FnOnce(&mut gpui::RenderContext<V>) -> ElementBox,
{ {
let active = cx.window_is_active(cx.window_id());
Flex::column() Flex::column()
.with_child( .with_child(
Stack::new() Stack::new()
.with_children([ .with_children([
Label::new(title, style.title_text.clone()).boxed(), Label::new(
title,
style
.title_text
.style_for(&mut MouseState::default(), active)
.clone(),
)
.boxed(),
// FIXME: Get a better tag type // FIXME: Get a better tag type
MouseEventHandler::<V>::new(999999, cx, |state, _cx| { MouseEventHandler::<V>::new(999999, cx, |state, _cx| {
let style = style.close_icon.style_for(state, false); let style = style.close_icon.style_for(state, active);
icon(style).boxed() icon(style).boxed()
}) })
.on_click(gpui::MouseButton::Left, move |_, cx| { .on_click(gpui::MouseButton::Left, move |_, cx| {

View file

@ -31,12 +31,17 @@ export default function copilot(colorScheme: ColorScheme) {
return { return {
modal: { modal: {
titleText: text(layer, "sans", { size: "md" }), titleText: {
...text(layer, "sans", { size: "md", color: background(layer, "default") }),
active: {
...text(layer, "sans", { size: "md" }),
}
},
titlebar: { titlebar: {
border: border(layer, "active"), border: border(layer, "active"),
padding: { padding: {
top: 4, top: 8,
bottom: 4, bottom: 8,
left: 8, left: 8,
right: 8, right: 8,
}, },
@ -44,7 +49,7 @@ export default function copilot(colorScheme: ColorScheme) {
top: 0, top: 0,
left: 0, left: 0,
right: 0, right: 0,
bottom: 8 bottom: 16
} }
}, },
container: { container: {
@ -54,6 +59,7 @@ export default function copilot(colorScheme: ColorScheme) {
closeIcon: { closeIcon: {
icon: svg(background(layer, "on"), "icons/x_mark_16.svg", 16, 16), icon: svg(background(layer, "on"), "icons/x_mark_16.svg", 16, 16),
container: { container: {
cornerRadius: 2,
padding: { padding: {
top: 3, top: 3,
bottom: 3, bottom: 3,
@ -61,8 +67,14 @@ export default function copilot(colorScheme: ColorScheme) {
right: 0, right: 0,
} }
}, },
hover: { active: {
icon: svg(foreground(layer, "on"), "icons/x_mark_16.svg", 16, 16), icon: svg(foreground(colorScheme.lowest, "warning"), "icons/x_mark_16.svg", 16, 16),
},
hoverAndActive: {
icon: svg(foreground(layer, "on", "hovered"), "icons/x_mark_16.svg", 16, 16),
},
clickedAndactive: {
icon: svg(foreground(layer, "on", "pressed"), "icons/x_mark_16.svg", 16, 16),
} }
}, },
dimensions: { dimensions: {
@ -81,17 +93,35 @@ export default function copilot(colorScheme: ColorScheme) {
right: 0 right: 0
} }
}, },
headerText: text(layer, "sans", { size: "lg" }), copilotIcon: svg(foreground(layer, "default"), "icons/github-copilot-dummy.svg", 32, 32),
copilotIcon: svg(foreground(layer, "default"), "icons/github-copilot-dummy.svg", 36, 36), plusIcon: {
plusIcon: svg(foreground(layer, "default"), "icons/plus_16.svg", 36, 36), icon: svg(foreground(layer, "default"), "icons/plus_12.svg", 12, 12),
zedIcon: svg(foreground(layer, "default"), "icons/logo_96.svg", 36, 36), container: {
padding: {
top: 12,
bottom: 12,
left: 12,
right: 12,
}
}
},
zedIcon: svg(foreground(layer, "default"), "icons/logo_96.svg", 32, 32),
enableText: text(layer, "sans", { size: "md" }),
enableGroup: {
margin: {
top: 5,
bottom: 5,
left: 0,
right: 0
}
},
instructionText: text(layer, "sans"), instructionText: text(layer, "sans"),
deviceCodeGroup: { deviceCodeGroup: {
margin: { margin: {
top: 5, top: 20,
bottom: 5, bottom: 20,
left: 0, left: 0,
right: 0 right: 0
} }
@ -127,6 +157,31 @@ export default function copilot(colorScheme: ColorScheme) {
}, },
}, },
deviceCodeSeperatorHeight: 0, deviceCodeSeperatorHeight: 0,
hint: {
...text(layer, "sans", { size: "xs" }),
margin: {
top: -5,
}
},
enabledHint: {
margin: {
top: 10,
bottom: 10
}
},
notAuthorizedHint: {
margin: {
top: 10,
bottom: 10
}
},
warning: {
...text(layer, "sans", { size: "md", color: foreground(layer, "warning") }),
border: border(layer, "warning"),
background_color: background(layer, "warning"),
cornerRadius: 2,
},
githubGroup: { githubGroup: {
margin: { margin: {