count views of post teaser

This commit is contained in:
Moriz Wahl 2021-02-24 16:15:26 +01:00
parent ae61baadfb
commit 1c3f628fb2
19 changed files with 211 additions and 83 deletions

View File

@ -131,6 +131,7 @@ Factory.define('post')
imageBlurred: false, imageBlurred: false,
imageAspectRatio: 1.333, imageAspectRatio: 1.333,
clickedCount: 0, clickedCount: 0,
viewedTeaserCount: 0,
}) })
.attr('pinned', ['pinned'], (pinned) => { .attr('pinned', ['pinned'], (pinned) => {
// Convert false to null // Convert false to null

View File

@ -0,0 +1,53 @@
import { getDriver } from '../../db/neo4j'
export const description = `
This migration adds the viewedTeaserCount property to all posts, setting it to 0.
`
module.exports.up = async function (next) {
const driver = getDriver()
const session = driver.session()
const transaction = session.beginTransaction()
try {
// Implement your migration here.
await transaction.run(`
MATCH (p:Post)
SET p.viewedTeaserCount = 0
`)
await transaction.commit()
next()
} catch (error) {
// eslint-disable-next-line no-console
console.log(error)
await transaction.rollback()
// eslint-disable-next-line no-console
console.log('rolled back')
throw new Error(error)
} finally {
session.close()
}
}
module.exports.down = async function (next) {
const driver = getDriver()
const session = driver.session()
const transaction = session.beginTransaction()
try {
// Implement your migration here.
await transaction.run(`
MATCH (p:Post)
REMOVE p.viewedTeaserCount
`)
await transaction.commit()
next()
} catch (error) {
// eslint-disable-next-line no-console
console.log(error)
await transaction.rollback()
// eslint-disable-next-line no-console
console.log('rolled back')
throw new Error(error)
} finally {
session.close()
}
}

View File

@ -168,6 +168,7 @@ export default shield(
UpdateDonations: isAdmin, UpdateDonations: isAdmin,
GenerateInviteCode: isAuthenticated, GenerateInviteCode: isAuthenticated,
switchUserRole: isAdmin, switchUserRole: isAdmin,
markTeaserAsViewed: allow,
}, },
User: { User: {
email: or(isMyOwn, isAdmin), email: or(isMyOwn, isAdmin),

View File

@ -23,6 +23,7 @@ export default {
deleted: { type: 'boolean', default: false }, deleted: { type: 'boolean', default: false },
disabled: { type: 'boolean', default: false }, disabled: { type: 'boolean', default: false },
clickedCount: { type: 'int', default: 0 }, clickedCount: { type: 'int', default: 0 },
viewedTeaserCount: { type: 'int', default: 0 },
notified: { notified: {
type: 'relationship', type: 'relationship',
relationship: 'NOTIFIED', relationship: 'NOTIFIED',

View File

@ -89,6 +89,7 @@ export default {
SET post.createdAt = toString(datetime()) SET post.createdAt = toString(datetime())
SET post.updatedAt = toString(datetime()) SET post.updatedAt = toString(datetime())
SET post.clickedCount = 0 SET post.clickedCount = 0
SET post.viewedTeaserCount = 0
WITH post WITH post
MATCH (author:User {id: $userId}) MATCH (author:User {id: $userId})
MERGE (post)<-[:WROTE]-(author) MERGE (post)<-[:WROTE]-(author)
@ -316,6 +317,30 @@ export default {
} }
return unpinnedPost return unpinnedPost
}, },
markTeaserAsViewed: async (_parent, params, context, _resolveInfo) => {
const session = context.driver.session()
const writeTxResultPromise = session.writeTransaction(async (transaction) => {
const transactionResponse = await transaction.run(
`
MATCH (post:Post { id: $params.id })
MATCH (user:User { id: $userId })
MERGE (user)-[relation:VIEWED_TEASER { }]->(post)
ON CREATE
SET relation.createdAt = toString(datetime()),
post.viewedTeaserCount = post.viewedTeaserCount + 1
RETURN post
`,
{ userId: context.user.id, params },
)
return transactionResponse.records.map((record) => record.get('post').properties)
})
try {
const [post] = await writeTxResultPromise
return post
} finally {
session.close()
}
},
}, },
Post: { Post: {
...Resolver('Post', { ...Resolver('Post', {
@ -342,6 +367,8 @@ export default {
boolean: { boolean: {
shoutedByCurrentUser: shoutedByCurrentUser:
'MATCH(this)<-[:SHOUTED]-(related:User {id: $cypherParams.currentUserId}) RETURN COUNT(related) >= 1', 'MATCH(this)<-[:SHOUTED]-(related:User {id: $cypherParams.currentUserId}) RETURN COUNT(related) >= 1',
viewedTeaserByCurrentUser:
'MATCH (this)<-[:VIEWED_TEASER]-(u:User {id: $cypherParams.currentUserId}) RETURN COUNT(u) >= 1',
}, },
}), }),
relatedContributions: async (parent, params, context, resolveInfo) => { relatedContributions: async (parent, params, context, resolveInfo) => {

View File

@ -40,6 +40,7 @@ const searchPostsSetup = {
commentsCount: toString(size(comments)), commentsCount: toString(size(comments)),
shoutedCount: toString(size(shouter)), shoutedCount: toString(size(shouter)),
clickedCount: toString(resource.clickedCount) clickedCount: toString(resource.clickedCount)
viewedTeaserCount: toString(resource.viewedTeaserCount)
}`, }`,
limit: 'LIMIT $limit', limit: 'LIMIT $limit',
} }

View File

@ -158,6 +158,12 @@ type Post {
clickedCount: Int! clickedCount: Int!
viewedTeaserCount: Int!
viewedTeaserByCurrentUser: Boolean!
@cypher(
statement: "MATCH (this)<-[:VIEWED_TEASER]-(u:User {id: $cypherParams.currentUserId}) RETURN COUNT(u) >= 1"
)
emotions: [EMOTED] emotions: [EMOTED]
emotionsCount: Int! emotionsCount: Int!
@cypher(statement: "MATCH (this)<-[emoted:EMOTED]-(:User) RETURN COUNT(DISTINCT emoted)") @cypher(statement: "MATCH (this)<-[emoted:EMOTED]-(:User) RETURN COUNT(DISTINCT emoted)")
@ -195,6 +201,7 @@ type Mutation {
RemovePostEmotions(to: _PostInput!, data: _EMOTEDInput!): EMOTED RemovePostEmotions(to: _PostInput!, data: _EMOTEDInput!): EMOTED
pinPost(id: ID!): Post pinPost(id: ID!): Post
unpinPost(id: ID!): Post unpinPost(id: ID!): Post
markTeaserAsViewed(id: ID!): Post
} }
type Query { type Query {

View File

@ -26,6 +26,7 @@ describe('PostTeaser', () => {
shoutedCount: 0, shoutedCount: 0,
commentsCount: 0, commentsCount: 0,
clickedCount: 0, clickedCount: 0,
viewedTeaserCount: 0,
name: 'It is a post', name: 'It is a post',
author: { author: {
id: 'u1', id: 'u1',

View File

@ -44,6 +44,7 @@ export const post = {
commentsCount: 12, commentsCount: 12,
categories: [], categories: [],
shoutedCount: 421, shoutedCount: 421,
viewedTeaserCount: 1584,
__typename: 'Post', __typename: 'Post',
} }

View File

@ -39,6 +39,11 @@
icon="hand-pointer" icon="hand-pointer"
:count="post.clickedCount" :count="post.clickedCount"
:title="$t('contribution.amount-clicks', { amount: post.clickedCount })" :title="$t('contribution.amount-clicks', { amount: post.clickedCount })"
</counter-icon>
<counter-icon
icon="eye"
:count="post.viewedTeaserCount"
:title="$t('contribution.amount-views', { amount: post.viewedTeaserCount })"
/> />
<client-only> <client-only>
<content-menu <content-menu
@ -65,6 +70,7 @@
import HcRibbon from '~/components/Ribbon' import HcRibbon from '~/components/Ribbon'
import CounterIcon from '~/components/_new/generic/CounterIcon/CounterIcon' import CounterIcon from '~/components/_new/generic/CounterIcon/CounterIcon'
import { mapGetters } from 'vuex' import { mapGetters } from 'vuex'
import PostMutations from '~/graphql/PostMutations'
import { postMenuModalsData, deletePostMutation } from '~/components/utils/PostHelpers' import { postMenuModalsData, deletePostMutation } from '~/components/utils/PostHelpers'
export default { export default {
@ -137,7 +143,16 @@
this.$emit('unpinPost', post) this.$emit('unpinPost', post)
}, },
visibilityChanged(isVisible, entry, id) { visibilityChanged(isVisible, entry, id) {
console.log('--', isVisible, id) if (!this.post.viewedTeaserByCurrentUser && isVisible) {
this.$apollo
.mutate({
mutation: PostMutations().markTeaserAsViewed,
variables: { id },
})
.catch((error) => this.$toast.error(error.message))
this.post.viewedTeaserByCurrentUser = true
this.post.viewedTeaserCount++
}
}, },
}, },
} }

View File

@ -16,6 +16,7 @@ describe('SearchPost.vue', () => {
commentsCount: 3, commentsCount: 3,
shoutedCount: 6, shoutedCount: 6,
clickedCount: 5, clickedCount: 5,
viewedTeaserCount: 15,
createdAt: '23.08.2019', createdAt: '23.08.2019',
author: { author: {
name: 'Post Author', name: 'Post Author',

View File

@ -6,6 +6,7 @@
<counter-icon icon="comments" :count="option.commentsCount" soft /> <counter-icon icon="comments" :count="option.commentsCount" soft />
<counter-icon icon="bullhorn" :count="option.shoutedCount" soft /> <counter-icon icon="bullhorn" :count="option.shoutedCount" soft />
<counter-icon icon="hand-pointer" :count="option.clickedCount" soft /> <counter-icon icon="hand-pointer" :count="option.clickedCount" soft />
<counter-icon icon="eye" :count="option.viewedTeaserCount" soft />
</span> </span>
{{ option.author.name | truncate(32) }} - {{ option.createdAt | dateTime('dd.MM.yyyy') }} {{ option.author.name | truncate(32) }} - {{ option.createdAt | dateTime('dd.MM.yyyy') }}
</div> </div>

View File

@ -15,6 +15,7 @@ export const searchResults = [
shoutedCount: 0, shoutedCount: 0,
commentsCount: 4, commentsCount: 4,
clickedCount: 8, clickedCount: 8,
viewedTeaserCount: 15,
createdAt: '2019-11-13T03:03:16.155Z', createdAt: '2019-11-13T03:03:16.155Z',
author: { author: {
id: 'u3', id: 'u3',
@ -31,6 +32,7 @@ export const searchResults = [
shoutedCount: 0, shoutedCount: 0,
commentsCount: 0, commentsCount: 0,
clickedCount: 9, clickedCount: 9,
viewedTeaserCount: 2,
createdAt: '2019-11-13T03:00:45.478Z', createdAt: '2019-11-13T03:00:45.478Z',
author: { author: {
id: 'u6', id: 'u6',
@ -47,6 +49,7 @@ export const searchResults = [
shoutedCount: 1, shoutedCount: 1,
commentsCount: 1, commentsCount: 1,
clickedCount: 1, clickedCount: 1,
viewedTeaserCount: 4,
createdAt: '2019-11-13T03:00:23.098Z', createdAt: '2019-11-13T03:00:23.098Z',
author: { author: {
id: 'u6', id: 'u6',
@ -63,6 +66,7 @@ export const searchResults = [
shoutedCount: 0, shoutedCount: 0,
commentsCount: 12, commentsCount: 12,
clickedCount: 14, clickedCount: 14,
viewedTeaserCount: 58,
createdAt: '2019-11-13T03:00:23.098Z', createdAt: '2019-11-13T03:00:23.098Z',
author: { author: {
id: 'u6', id: 'u6',

View File

@ -68,6 +68,8 @@ export const postCountsFragment = gql`
shoutedByCurrentUser shoutedByCurrentUser
emotionsCount emotionsCount
clickedCount clickedCount
viewedTeaserCount
viewedTeaserByCurrentUser
} }
` `

View File

@ -118,5 +118,12 @@ export default () => {
} }
} }
`, `,
markTeaserAsViewed: gql`
mutation($id: ID!) {
markTeaserAsViewed(id: $id) {
id
}
}
`,
} }
} }

View File

@ -13,6 +13,7 @@ export const searchQuery = gql`
commentsCount commentsCount
shoutedCount shoutedCount
clickedCount clickedCount
viewedTeaserCount
author { author {
...user ...user
} }
@ -42,6 +43,7 @@ export const searchPosts = gql`
commentsCount commentsCount
shoutedCount shoutedCount
clickedCount clickedCount
viewedTeaserCount
author { author {
...user ...user
} }

View File

@ -177,6 +177,7 @@
"amount-clicks": "{amount} clicks", "amount-clicks": "{amount} clicks",
"amount-comments": "{amount} comments", "amount-comments": "{amount} comments",
"amount-shouts": "{amount} recommendations", "amount-shouts": "{amount} recommendations",
"amount-views": "{amount} views",
"categories": { "categories": {
"infoSelectedNoOfMaxCategories": "{chosen} von {max} Kategorien ausgewählt" "infoSelectedNoOfMaxCategories": "{chosen} von {max} Kategorien ausgewählt"
}, },

View File

@ -177,6 +177,7 @@
"amount-clicks": "{amount} clicks", "amount-clicks": "{amount} clicks",
"amount-comments": "{amount} comments", "amount-comments": "{amount} comments",
"amount-shouts": "{amount} recommendations", "amount-shouts": "{amount} recommendations",
"amount-views": "{amount} views",
"categories": { "categories": {
"infoSelectedNoOfMaxCategories": "{chosen} of {max} categories selected" "infoSelectedNoOfMaxCategories": "{chosen} of {max} categories selected"
}, },

View File

@ -82,6 +82,7 @@ const helpers = {
shoutedCount: faker.random.number(), shoutedCount: faker.random.number(),
commentsCount: faker.random.number(), commentsCount: faker.random.number(),
clickedCount: faker.random.number(), clickedCount: faker.random.number(),
viewedTeaserCount: faker.random.number(),
} }
}) })
}, },