add vote infra and ui prep for connection ui to backend
This commit is contained in:
@ -2,16 +2,20 @@ package datastore
|
|||||||
|
|
||||||
import (
|
import (
|
||||||
"database/sql"
|
"database/sql"
|
||||||
|
"errors"
|
||||||
"fmt"
|
"fmt"
|
||||||
"git.sa.vin/any-remark/backend/types"
|
"git.sa.vin/any-remark/backend/types"
|
||||||
"math/rand"
|
"math/rand"
|
||||||
|
"strings"
|
||||||
)
|
)
|
||||||
|
|
||||||
type Mapper interface {
|
type Mapper interface {
|
||||||
GetOpenGraphData(url string) (string, error)
|
GetOpenGraphData(url string) (string, error)
|
||||||
SaveOpenGraphData(url, opengraph string) error
|
SaveOpenGraphData(url, opengraph string) error
|
||||||
AddComment(req types.AddCommentRequest) error
|
AddComment(req types.AddCommentRequest) error
|
||||||
GetComments(url string) ([]types.Comment, error)
|
GetComments(url string, orderBy string) ([]types.Comment, error)
|
||||||
|
AddVote(commentID, userID, voteType string) error
|
||||||
|
GetWebpageIDFromCommentID(commentID string) (string, error)
|
||||||
}
|
}
|
||||||
|
|
||||||
type mapper struct {
|
type mapper struct {
|
||||||
@ -103,21 +107,31 @@ func (m *mapper) AddComment(req types.AddCommentRequest) error {
|
|||||||
return nil
|
return nil
|
||||||
}
|
}
|
||||||
|
|
||||||
func (m *mapper) GetComments(url string) ([]types.Comment, error) {
|
func (m *mapper) GetComments(url string, orderBy string) ([]types.Comment, error) {
|
||||||
webpageID, err := m.GetWebpageID(url)
|
webpageID, err := m.GetWebpageID(url)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return nil, fmt.Errorf("error getting webpage id: %s", err)
|
return nil, fmt.Errorf("error getting webpage id: %s", err)
|
||||||
}
|
}
|
||||||
|
|
||||||
// TODO: add up vote and down vote counts
|
|
||||||
// TODO: attach avatar url to commenter
|
|
||||||
// TODO: provide order by recent or most upvoted
|
// TODO: provide order by recent or most upvoted
|
||||||
// TODO: bubble up the current user's comments
|
// TODO: bubble up the current user's comments
|
||||||
// get the comments from the db table named "comments" using the webpage_id
|
// get the comments from the db table named "comments" using the webpage_id
|
||||||
query := `SELECT id, content, commenter FROM comments WHERE webpage_id = ?`
|
query := `SELECT c.id, c.content, c.commenter, u.username, u.avatar, c.created_at,
|
||||||
|
COUNT(CASE WHEN v.vote_type = 'up' THEN 1 END) AS upvotes,
|
||||||
|
COUNT(CASE WHEN v.vote_type = 'down' THEN 1 END) AS downvotes
|
||||||
|
FROM comments c
|
||||||
|
JOIN users u ON c.commenter = u.id
|
||||||
|
LEFT JOIN votes v ON c.id = v.comment_id
|
||||||
|
WHERE c.webpage_id = ?
|
||||||
|
GROUP BY c.id, c.content, c.commenter, u.username, u.avatar`
|
||||||
|
if orderBy == "upvotes" {
|
||||||
|
query += " ORDER BY upvotes DESC"
|
||||||
|
} else {
|
||||||
|
query += " ORDER BY c.created_at DESC"
|
||||||
|
}
|
||||||
rows, err := m.db.Query(query, webpageID)
|
rows, err := m.db.Query(query, webpageID)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
if err == sql.ErrNoRows {
|
if errors.Is(err, sql.ErrNoRows) {
|
||||||
return nil, fmt.Errorf("no data found in db for url: %s", url)
|
return nil, fmt.Errorf("no data found in db for url: %s", url)
|
||||||
}
|
}
|
||||||
return nil, fmt.Errorf("error getting comments from db: %s", err)
|
return nil, fmt.Errorf("error getting comments from db: %s", err)
|
||||||
@ -128,7 +142,7 @@ func (m *mapper) GetComments(url string) ([]types.Comment, error) {
|
|||||||
var comments []types.Comment
|
var comments []types.Comment
|
||||||
for rows.Next() {
|
for rows.Next() {
|
||||||
var comment types.Comment
|
var comment types.Comment
|
||||||
err = rows.Scan(&comment.ID, &comment.Content, &comment.Commenter)
|
err = rows.Scan(&comment.ID, &comment.Content, &comment.Commenter, &comment.Username, &comment.Avatar, &comment.CreatedAt, &comment.Upvotes, &comment.Downvotes)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return nil, fmt.Errorf("error scanning comments: %s", err)
|
return nil, fmt.Errorf("error scanning comments: %s", err)
|
||||||
}
|
}
|
||||||
@ -137,6 +151,69 @@ func (m *mapper) GetComments(url string) ([]types.Comment, error) {
|
|||||||
return comments, nil
|
return comments, nil
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (m *mapper) AddVote(commentID, userID, voteType string) error {
|
||||||
|
voteType = strings.ToLower(voteType)
|
||||||
|
if voteType != "up" && voteType != "down" {
|
||||||
|
return fmt.Errorf("invalid vote type: %s", voteType)
|
||||||
|
}
|
||||||
|
|
||||||
|
id := "v_" + generateID(24)
|
||||||
|
var err error
|
||||||
|
|
||||||
|
webpageID := ""
|
||||||
|
if strings.HasPrefix(commentID, "wp_") {
|
||||||
|
webpageID = commentID
|
||||||
|
commentID = ""
|
||||||
|
}
|
||||||
|
|
||||||
|
if webpageID == "" {
|
||||||
|
webpageID, err = m.GetWebpageIDFromCommentID(commentID)
|
||||||
|
if err != nil {
|
||||||
|
return fmt.Errorf("error getting webpage id from comment id: %s", err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// insert the vote data to the db table named "votes" using the comment_id
|
||||||
|
query := `INSERT INTO votes (id, webpage_id, comment_id, voter, vote_type) VALUES (?, ?, ?, ?, ?)`
|
||||||
|
_, err = m.db.Exec(query, id, webpageID, commentID, userID, voteType)
|
||||||
|
if err != nil {
|
||||||
|
// if the vote already exists, update the vote
|
||||||
|
if !strings.Contains(err.Error(), "UNIQUE constraint") {
|
||||||
|
return fmt.Errorf("error inserting vote data to db: %s", err)
|
||||||
|
}
|
||||||
|
query = `UPDATE votes SET vote_type = ? WHERE voter = ? AND comment_id = ? AND webpage_id = ?`
|
||||||
|
_, err = m.db.Exec(query, voteType, userID, commentID, webpageID)
|
||||||
|
if err != nil {
|
||||||
|
return fmt.Errorf("error updating vote data in db: %s", err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (m *mapper) GetWebpageIDFromCommentID(commentID string) (string, error) {
|
||||||
|
// get the id of the webpage from the db table named "comments" using the comment_id
|
||||||
|
query := `SELECT webpage_id FROM comments WHERE id = ?`
|
||||||
|
rows, err := m.db.Query(query, commentID)
|
||||||
|
if err != nil {
|
||||||
|
if err == sql.ErrNoRows {
|
||||||
|
return "", fmt.Errorf("no data found in db for comment_id: %s", commentID)
|
||||||
|
}
|
||||||
|
return "", fmt.Errorf("error getting webpage id from db: %s", err)
|
||||||
|
}
|
||||||
|
defer rows.Close()
|
||||||
|
|
||||||
|
// get the id from the rows array
|
||||||
|
var webpageID string
|
||||||
|
for rows.Next() {
|
||||||
|
err = rows.Scan(&webpageID)
|
||||||
|
if err != nil {
|
||||||
|
return "", fmt.Errorf("error scanning webpage id: %s", err)
|
||||||
|
}
|
||||||
|
return webpageID, nil
|
||||||
|
}
|
||||||
|
return "", fmt.Errorf("no data found in db for comment_id: %s", commentID)
|
||||||
|
}
|
||||||
|
|
||||||
func generateID(n int) string {
|
func generateID(n int) string {
|
||||||
// generate a unique id for the webpage make it 24 bytes
|
// generate a unique id for the webpage make it 24 bytes
|
||||||
// long using the following character set
|
// long using the following character set
|
||||||
|
@ -57,6 +57,7 @@ func main() {
|
|||||||
r.HandleFunc("/api/v1/shorten", s.ShortenLinkHandler).Methods("POST")
|
r.HandleFunc("/api/v1/shorten", s.ShortenLinkHandler).Methods("POST")
|
||||||
r.HandleFunc("/api/v1/comments", s.ListComments).Methods("GET")
|
r.HandleFunc("/api/v1/comments", s.ListComments).Methods("GET")
|
||||||
r.HandleFunc("/api/v1/comment", s.AddComment).Methods("POST")
|
r.HandleFunc("/api/v1/comment", s.AddComment).Methods("POST")
|
||||||
|
r.HandleFunc("/api/v1/vote", s.AddVote).Methods("POST")
|
||||||
r.HandleFunc("/x/{id}", s.ShortLinkHandler).Methods("GET")
|
r.HandleFunc("/x/{id}", s.ShortLinkHandler).Methods("GET")
|
||||||
|
|
||||||
c := cors.New(cors.Options{
|
c := cors.New(cors.Options{
|
||||||
|
@ -26,7 +26,8 @@ CREATE TABLE votes (
|
|||||||
comment_id TEXT, -- NULL if vote is on webpage
|
comment_id TEXT, -- NULL if vote is on webpage
|
||||||
voter TEXT NOT NULL,
|
voter TEXT NOT NULL,
|
||||||
vote_type TEXT NOT NULL,
|
vote_type TEXT NOT NULL,
|
||||||
created_at TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP
|
created_at TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP,
|
||||||
|
UNIQUE (voter, comment_id, webpage_id) -- ensure a user can only vote once per comment or webpage
|
||||||
);
|
);
|
||||||
|
|
||||||
-- make a table for storing users
|
-- make a table for storing users
|
||||||
|
@ -15,6 +15,7 @@ type Server interface {
|
|||||||
ShortenLinkHandler(w http.ResponseWriter, r *http.Request)
|
ShortenLinkHandler(w http.ResponseWriter, r *http.Request)
|
||||||
AddComment(w http.ResponseWriter, r *http.Request)
|
AddComment(w http.ResponseWriter, r *http.Request)
|
||||||
ListComments(w http.ResponseWriter, r *http.Request)
|
ListComments(w http.ResponseWriter, r *http.Request)
|
||||||
|
AddVote(w http.ResponseWriter, r *http.Request)
|
||||||
}
|
}
|
||||||
|
|
||||||
type server struct {
|
type server struct {
|
||||||
@ -109,7 +110,11 @@ func (s *server) AddComment(w http.ResponseWriter, r *http.Request) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
func (s *server) ListComments(w http.ResponseWriter, r *http.Request) {
|
func (s *server) ListComments(w http.ResponseWriter, r *http.Request) {
|
||||||
comments, err := s.mapper.GetComments(r.URL.Query().Get("url"))
|
orderBy := "created_at" // can be "upvotes" or "created_at"
|
||||||
|
if r.URL.Query().Get("order_by") != "" {
|
||||||
|
orderBy = r.URL.Query().Get("order_by")
|
||||||
|
}
|
||||||
|
comments, err := s.mapper.GetComments(r.URL.Query().Get("url"), orderBy)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
http.Error(w, fmt.Sprintf("error getting comments: %s", err), http.StatusInternalServerError)
|
http.Error(w, fmt.Sprintf("error getting comments: %s", err), http.StatusInternalServerError)
|
||||||
return
|
return
|
||||||
@ -126,6 +131,18 @@ func (s *server) ListComments(w http.ResponseWriter, r *http.Request) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (s *server) AddVote(w http.ResponseWriter, r *http.Request) {
|
||||||
|
|
||||||
|
// TODO: get userID from the authentication token
|
||||||
|
userID := "u_12345"
|
||||||
|
|
||||||
|
err := s.mapper.AddVote(r.URL.Query().Get("id"), userID, r.URL.Query().Get("vote"))
|
||||||
|
if err != nil {
|
||||||
|
http.Error(w, fmt.Sprintf("error adding vote: %s", err), http.StatusInternalServerError)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// CorsMiddleware is a middleware that allows CORS
|
// CorsMiddleware is a middleware that allows CORS
|
||||||
func CorsMiddleware(next http.Handler) http.Handler {
|
func CorsMiddleware(next http.Handler) http.Handler {
|
||||||
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
|
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
|
||||||
|
@ -10,6 +10,10 @@ type Comment struct {
|
|||||||
ID string `json:"id"`
|
ID string `json:"id"`
|
||||||
Content string `json:"content"`
|
Content string `json:"content"`
|
||||||
Commenter string `json:"commenter"`
|
Commenter string `json:"commenter"`
|
||||||
|
Username string `json:"username"`
|
||||||
|
Avatar string `json:"avatar"`
|
||||||
|
Upvotes int `json:"upvotes"`
|
||||||
|
Downvotes int `json:"downvotes"`
|
||||||
ParentID string `json:"parent_id"`
|
ParentID string `json:"parent_id"`
|
||||||
WebpageID string `json:"webpage_id"`
|
WebpageID string `json:"webpage_id"`
|
||||||
CreatedAt string `json:"created_at"`
|
CreatedAt string `json:"created_at"`
|
||||||
|
12
ui/package-lock.json
generated
12
ui/package-lock.json
generated
@ -12,6 +12,7 @@
|
|||||||
"@capacitor/cli": "^6.2.0",
|
"@capacitor/cli": "^6.2.0",
|
||||||
"@capacitor/core": "^6.2.0",
|
"@capacitor/core": "^6.2.0",
|
||||||
"@capacitor/ios": "^6.2.0",
|
"@capacitor/ios": "^6.2.0",
|
||||||
|
"@iconify-prerendered/vue-material-symbols": "^0.28.1732258297",
|
||||||
"pinia": "^2.2.6",
|
"pinia": "^2.2.6",
|
||||||
"vue": "^3.5.12",
|
"vue": "^3.5.12",
|
||||||
"vue-router": "^4.4.5"
|
"vue-router": "^4.4.5"
|
||||||
@ -1160,6 +1161,17 @@
|
|||||||
"url": "https://github.com/sponsors/nzakas"
|
"url": "https://github.com/sponsors/nzakas"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/@iconify-prerendered/vue-material-symbols": {
|
||||||
|
"version": "0.28.1732258297",
|
||||||
|
"resolved": "https://registry.npmjs.org/@iconify-prerendered/vue-material-symbols/-/vue-material-symbols-0.28.1732258297.tgz",
|
||||||
|
"integrity": "sha512-PFe4eKDuxbXwNfJk0DLWoWkI/CxDMQ1tFh2O5EmYuFVCZeG4janePeShlsPAxyW9+hhthptsaEJLwIGrvTA5Rw==",
|
||||||
|
"funding": {
|
||||||
|
"url": "https://www.buymeacoffee.com/kozack/"
|
||||||
|
},
|
||||||
|
"peerDependencies": {
|
||||||
|
"vue": "^3.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/@ionic/cli-framework-output": {
|
"node_modules/@ionic/cli-framework-output": {
|
||||||
"version": "2.2.8",
|
"version": "2.2.8",
|
||||||
"resolved": "https://registry.npmjs.org/@ionic/cli-framework-output/-/cli-framework-output-2.2.8.tgz",
|
"resolved": "https://registry.npmjs.org/@ionic/cli-framework-output/-/cli-framework-output-2.2.8.tgz",
|
||||||
|
@ -19,6 +19,7 @@
|
|||||||
"@capacitor/cli": "^6.2.0",
|
"@capacitor/cli": "^6.2.0",
|
||||||
"@capacitor/core": "^6.2.0",
|
"@capacitor/core": "^6.2.0",
|
||||||
"@capacitor/ios": "^6.2.0",
|
"@capacitor/ios": "^6.2.0",
|
||||||
|
"@iconify-prerendered/vue-material-symbols": "^0.28.1732258297",
|
||||||
"pinia": "^2.2.6",
|
"pinia": "^2.2.6",
|
||||||
"vue": "^3.5.12",
|
"vue": "^3.5.12",
|
||||||
"vue-router": "^4.4.5"
|
"vue-router": "^4.4.5"
|
||||||
|
@ -7,8 +7,12 @@
|
|||||||
font-weight: normal;
|
font-weight: normal;
|
||||||
}
|
}
|
||||||
|
|
||||||
a,
|
h4 {
|
||||||
.green {
|
font-size: 0.8rem;
|
||||||
|
font-weight: bold;
|
||||||
|
}
|
||||||
|
|
||||||
|
a, .green {
|
||||||
text-decoration: none;
|
text-decoration: none;
|
||||||
color: hsla(160, 100%, 37%, 1);
|
color: hsla(160, 100%, 37%, 1);
|
||||||
transition: 0.4s;
|
transition: 0.4s;
|
||||||
|
@ -1,24 +1,52 @@
|
|||||||
<script setup lang="ts">
|
<script setup lang="ts">
|
||||||
|
import {
|
||||||
|
IconThumbUp,
|
||||||
|
IconThumbDown,
|
||||||
|
IconChatOutline,
|
||||||
|
IconReply,
|
||||||
|
} from '@iconify-prerendered/vue-material-symbols';
|
||||||
|
import type { Remark } from '@/types/Remark'
|
||||||
|
import type { PropType } from 'vue'
|
||||||
const props = defineProps({
|
const props = defineProps({
|
||||||
content: {
|
remark: {
|
||||||
type: String,
|
type: Object as PropType<Remark>,
|
||||||
required: true,
|
|
||||||
},
|
|
||||||
avatar: {
|
|
||||||
type: String,
|
|
||||||
required: true,
|
required: true,
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
|
function like() {
|
||||||
|
console.log('Like');
|
||||||
|
}
|
||||||
|
|
||||||
|
function dislike() {
|
||||||
|
console.log('Dislike');
|
||||||
|
}
|
||||||
|
|
||||||
|
function reply() {
|
||||||
|
console.log('Reply');
|
||||||
|
}
|
||||||
|
|
||||||
|
function showReplies() {
|
||||||
|
console.log('Show Replies');
|
||||||
|
}
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<template>
|
<template>
|
||||||
|
|
||||||
<div class="comment">
|
<div class="comment">
|
||||||
<img :src="props.avatar" alt="User Avatar" class="avatar"/>
|
<img :src="props.remark.avatar" alt="User Avatar" class="avatar"/>
|
||||||
<!-- <img src="https://cdn.vuetifyjs.com/images/lists/1.jpg" alt="User Avatar" class="avatar"/>-->
|
<!-- <img src="https://cdn.vuetifyjs.com/images/lists/1.jpg" alt="User Avatar" class="avatar"/>-->
|
||||||
<div class="comment-content">
|
<div class="comment-content">
|
||||||
<p>{{props.content}}</p>
|
<h4>{{props.remark.username}}</h4>
|
||||||
|
<p>{{props.remark.content}}</p>
|
||||||
|
<div class="comment-actions">
|
||||||
|
<button @click="like" title="like"><IconThumbUp /> {{props.remark.upvotes}}</button>
|
||||||
|
<button @click="dislike" title="dislike"><IconThumbDown /> {{props.remark.downvotes}}</button>
|
||||||
|
<button @click="reply" title="reply"><IconReply /></button>
|
||||||
|
<button @click="showReplies" title="Show replies"><IconChatOutline /></button>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
</div>
|
</div>
|
||||||
</template>
|
</template>
|
||||||
|
|
||||||
@ -41,5 +69,21 @@ const props = defineProps({
|
|||||||
padding: 10px 15px;
|
padding: 10px 15px;
|
||||||
border-radius: 8px;
|
border-radius: 8px;
|
||||||
flex-grow: 1;
|
flex-grow: 1;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
}
|
||||||
|
|
||||||
|
.comment-actions {
|
||||||
|
display: flex;
|
||||||
|
justify-content: flex-start;
|
||||||
|
}
|
||||||
|
|
||||||
|
/* remove default button styles */
|
||||||
|
.comment-actions button {
|
||||||
|
background: none;
|
||||||
|
border: none;
|
||||||
|
cursor: pointer;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
}
|
}
|
||||||
</style>
|
</style>
|
||||||
|
12
ui/src/types/Remark.ts
Normal file
12
ui/src/types/Remark.ts
Normal file
@ -0,0 +1,12 @@
|
|||||||
|
export interface Remark {
|
||||||
|
id: string;
|
||||||
|
content: string;
|
||||||
|
commenter: string;
|
||||||
|
username: string;
|
||||||
|
avatar: string;
|
||||||
|
upvotes: number;
|
||||||
|
downvotes: number;
|
||||||
|
parent_id: string;
|
||||||
|
webpage_id: string;
|
||||||
|
created_at: string;
|
||||||
|
}
|
@ -3,22 +3,14 @@
|
|||||||
import CommentComponent from '@/components/CommentComponent.vue'
|
import CommentComponent from '@/components/CommentComponent.vue'
|
||||||
import OpenGraphComponent from '@/components/OpenGraphComponent.vue'
|
import OpenGraphComponent from '@/components/OpenGraphComponent.vue'
|
||||||
import { onMounted, ref, watch } from 'vue'
|
import { onMounted, ref, watch } from 'vue'
|
||||||
|
import type { Remark } from '@/types/Remark'
|
||||||
const BACKEND_URL = 'http://localhost:8080';
|
const BACKEND_URL = 'http://localhost:8080';
|
||||||
|
|
||||||
interface Comment {
|
|
||||||
id: string;
|
|
||||||
content: string;
|
|
||||||
commenter: string;
|
|
||||||
parent_id: string;
|
|
||||||
webpage_id: string;
|
|
||||||
created_at: string;
|
|
||||||
}
|
|
||||||
|
|
||||||
// const url = ref('https://www.youtube.com/watch?v=iedMwhLrFQQ');
|
// const url = ref('https://www.youtube.com/watch?v=iedMwhLrFQQ');
|
||||||
// const url = ref('https://vimeo.com/867950660');
|
// const url = ref('https://vimeo.com/867950660');
|
||||||
const url = ref('');
|
const url = ref('');
|
||||||
const comment = ref('');
|
const comment = ref('');
|
||||||
const comments = ref<Comment[]>([]);
|
const comments = ref<Remark[]>([]);
|
||||||
|
|
||||||
onMounted(() => {
|
onMounted(() => {
|
||||||
// get target url from query param 'url'
|
// get target url from query param 'url'
|
||||||
@ -41,8 +33,9 @@ function getComments() {
|
|||||||
.then((data) => {
|
.then((data) => {
|
||||||
if (!!data) {
|
if (!!data) {
|
||||||
comments.value = data;
|
comments.value = data;
|
||||||
|
} else {
|
||||||
|
comments.value = [];
|
||||||
}
|
}
|
||||||
console.log(data);
|
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -88,7 +81,7 @@ function handleSubmit(e: Event) {
|
|||||||
</form>
|
</form>
|
||||||
|
|
||||||
<div v-for="(remark, i) in comments" :key="i">
|
<div v-for="(remark, i) in comments" :key="i">
|
||||||
<CommentComponent :content="remark.content" :avatar="`https://cdn.vuetifyjs.com/images/lists/1.jpg`" />
|
<CommentComponent :remark="remark" />
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div v-if="comments.length === 0">
|
<div v-if="comments.length === 0">
|
||||||
|
Reference in New Issue
Block a user